From 6720454da7ce65b141a2db335c76ba8a94f151e1 Mon Sep 17 00:00:00 2001 From: Gino Canessa Date: Thu, 23 Jul 2020 17:08:09 -0500 Subject: [PATCH 01/13] Added support for server metadata collection and parsing (R2-R5). --- .../Converters/ConverterHelper.cs | 80 ++++++ .../Converters/FromR2.cs | 189 ++++++++++++++ .../Converters/FromR3.cs | 189 ++++++++++++++ .../Converters/FromR4.cs | 209 ++++++++++++++- .../Converters/FromR5.cs | 208 +++++++++++++++ .../Converters/IFhirConverter.cs | 11 +- .../Extensions/FhirEnumExtensions.cs | 223 ++++++++++++++++ .../Extensions/FhirLiteralAttribute.cs | 27 ++ .../Language/LanguageHelper.cs | 1 + .../Manager/ExporterOptions.cs | 10 +- .../Manager/FhirVersionInfo.cs | 17 +- .../Manager/ServerConnector.cs | 139 ++++++++++ .../Models/FhirServer.cs | 35 --- .../Models/FhirServerInfo.cs | 172 +++++++++++++ .../Models/FhirServerOperation.cs | 54 ++++ .../Models/FhirServerResourceInfo.cs | 242 +++++++++++++++++- .../Models/FhirServerSearchParam.cs | 111 ++++++++ src/fhir-codegen-cli/GlobalSuppressions.cs | 2 + src/fhir-codegen-cli/Program.cs | 193 +++++--------- .../Properties/launchSettings.json | 15 ++ 20 files changed, 1944 insertions(+), 183 deletions(-) create mode 100644 src/Microsoft.Health.Fhir.SpecManager/Converters/ConverterHelper.cs create mode 100644 src/Microsoft.Health.Fhir.SpecManager/Extensions/FhirEnumExtensions.cs create mode 100644 src/Microsoft.Health.Fhir.SpecManager/Extensions/FhirLiteralAttribute.cs create mode 100644 src/Microsoft.Health.Fhir.SpecManager/Manager/ServerConnector.cs delete mode 100644 src/Microsoft.Health.Fhir.SpecManager/Models/FhirServer.cs create mode 100644 src/Microsoft.Health.Fhir.SpecManager/Models/FhirServerInfo.cs create mode 100644 src/Microsoft.Health.Fhir.SpecManager/Models/FhirServerOperation.cs create mode 100644 src/Microsoft.Health.Fhir.SpecManager/Models/FhirServerSearchParam.cs diff --git a/src/Microsoft.Health.Fhir.SpecManager/Converters/ConverterHelper.cs b/src/Microsoft.Health.Fhir.SpecManager/Converters/ConverterHelper.cs new file mode 100644 index 000000000..a954d99a8 --- /dev/null +++ b/src/Microsoft.Health.Fhir.SpecManager/Converters/ConverterHelper.cs @@ -0,0 +1,80 @@ +// +// Copyright (c) Microsoft Corporation. All rights reserved. +// Licensed under the MIT License (MIT). See LICENSE in the repo root for license information. +// +using System; +using System.Collections.Generic; +using System.Text; + +namespace Microsoft.Health.Fhir.SpecManager.Converters +{ + /// A converter helper. + public static class ConverterHelper + { + /// Converter for version. + /// Thrown when one or more arguments are outside the + /// required range. + /// The major version. + /// An IFhirConverter. + public static IFhirConverter ConverterForVersion(int majorVersion) + { + // create our JSON converter + switch (majorVersion) + { + case 1: + case 2: + return new FromR2(); + + case 3: + return new FromR3(); + + case 4: + return new FromR4(); + + case 5: + return new FromR5(); + } + + throw new ArgumentOutOfRangeException(nameof(majorVersion)); + } + + /// Converter for version. + /// Thrown when one or more required arguments are + /// null. + /// Thrown when one or more arguments are outside the + /// required range. + /// The version. + /// An IFhirConverter. + public static IFhirConverter ConverterForVersion(string version) + { + if (string.IsNullOrEmpty(version)) + { + throw new ArgumentNullException(nameof(version)); + } + + // create our JSON converter + switch (version[0]) + { + case '1': + case '2': + return new FromR2(); + + case '3': + return new FromR3(); + + case '4': + if (version.StartsWith("4.4", StringComparison.Ordinal)) + { + return new FromR5(); + } + + return new FromR4(); + + case '5': + return new FromR5(); + } + + throw new ArgumentOutOfRangeException(nameof(version)); + } + } +} diff --git a/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR2.cs b/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR2.cs index fe4de4a63..679428e1f 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR2.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR2.cs @@ -1452,6 +1452,195 @@ void IFhirConverter.ProcessResource( } } + /// Process a FHIR metadata resource into Server Information. + /// The metadata resource object (e.g., r4.CapabilitiesStatement). + /// URL of the server. + /// [out] Information describing the server. + void IFhirConverter.ProcessMetadata( + object metadata, + string serverUrl, + out FhirServerInfo serverInfo) + { + if (metadata == null) + { + serverInfo = null; + return; + } + + fhir_2.Conformance caps = metadata as fhir_2.Conformance; + + string swName = string.Empty; + string swVersion = string.Empty; + string swReleaseDate = string.Empty; + + if (caps.Software != null) + { + swName = caps.Software.Name ?? string.Empty; + swVersion = caps.Software.Version ?? string.Empty; + swReleaseDate = caps.Software.ReleaseDate ?? string.Empty; + } + + string impDescription = string.Empty; + string impUrl = string.Empty; + + if (caps.Implementation != null) + { + impDescription = caps.Implementation.Description ?? string.Empty; + impUrl = caps.Implementation.Url ?? string.Empty; + } + + List serverInteractions = new List(); + Dictionary resourceInteractions = new Dictionary(); + Dictionary serverSearchParams = new Dictionary(); + Dictionary serverOperations = new Dictionary(); + + if ((caps.Rest != null) && (caps.Rest.Count > 0)) + { + fhir_2.ConformanceRest rest = caps.Rest[0]; + + if (rest.Interaction != null) + { + foreach (fhir_2.ConformanceRestInteraction interaction in rest.Interaction) + { + if (string.IsNullOrEmpty(interaction.Code)) + { + continue; + } + + serverInteractions.Add(interaction.Code); + } + } + + if (rest.Resource != null) + { + foreach (fhir_2.ConformanceRestResource resource in rest.Resource) + { + FhirServerResourceInfo resourceInfo = ParseServerRestResource(resource); + + if (resourceInteractions.ContainsKey(resourceInfo.ResourceType)) + { + continue; + } + + resourceInteractions.Add( + resourceInfo.ResourceType, + resourceInfo); + } + } + + if (rest.SearchParam != null) + { + foreach (fhir_2.ConformanceRestResourceSearchParam sp in rest.SearchParam) + { + if (serverSearchParams.ContainsKey(sp.Name)) + { + continue; + } + + serverSearchParams.Add( + sp.Name, + new FhirServerSearchParam( + sp.Name, + sp.Definition, + sp.Type, + sp.Documentation)); + } + } + + if (rest.Operation != null) + { + foreach (fhir_2.ConformanceRestOperation operation in rest.Operation) + { + if (serverOperations.ContainsKey(operation.Name)) + { + serverOperations[operation.Name].AddDefinition(operation.Definition.ReferenceField); + continue; + } + + serverOperations.Add( + operation.Name, + new FhirServerOperation( + operation.Name, + operation.Definition.ReferenceField, + string.Empty)); + } + } + } + + serverInfo = new FhirServerInfo( + serverInteractions, + serverUrl, + caps.FhirVersion, + swName, + swVersion, + swReleaseDate, + impDescription, + impUrl, + resourceInteractions, + serverSearchParams, + serverOperations); + } + + /// Parse server REST resource. + /// The resource. + /// A FhirServerResourceInfo. + private static FhirServerResourceInfo ParseServerRestResource( + fhir_2.ConformanceRestResource resource) + { + List interactions = new List(); + Dictionary searchParams = new Dictionary(); + Dictionary operations = new Dictionary(); + + if (resource.Interaction != null) + { + foreach (fhir_2.ConformanceRestResourceInteraction interaction in resource.Interaction) + { + if (string.IsNullOrEmpty(interaction.Code)) + { + continue; + } + + interactions.Add(interaction.Code); + } + } + + if (resource.SearchParam != null) + { + foreach (fhir_2.ConformanceRestResourceSearchParam sp in resource.SearchParam) + { + if (searchParams.ContainsKey(sp.Name)) + { + continue; + } + + searchParams.Add( + sp.Name, + new FhirServerSearchParam( + sp.Name, + sp.Definition, + sp.Type, + sp.Documentation)); + } + } + + return new FhirServerResourceInfo( + interactions, + resource.Type, + null, + resource.Versioning, + resource.ReadHistory, + resource.UpdateCreate, + resource.ConditionalCreate, + null, + resource.ConditionalUpdate, + resource.ConditionalDelete, + null, + resource.SearchInclude, + resource.SearchRevInclude, + searchParams, + operations); + } + /// Gets default value if present. /// The element. /// [out] The default name. diff --git a/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR3.cs b/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR3.cs index 27d2a1039..61530207f 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR3.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR3.cs @@ -1209,6 +1209,195 @@ void IFhirConverter.ProcessResource( } } + /// Process a FHIR metadata resource into Server Information. + /// The metadata resource object (e.g., r4.CapabilitiesStatement). + /// URL of the server. + /// [out] Information describing the server. + void IFhirConverter.ProcessMetadata( + object metadata, + string serverUrl, + out FhirServerInfo serverInfo) + { + if (metadata == null) + { + serverInfo = null; + return; + } + + fhir_3.CapabilityStatement caps = metadata as fhir_3.CapabilityStatement; + + string swName = string.Empty; + string swVersion = string.Empty; + string swReleaseDate = string.Empty; + + if (caps.Software != null) + { + swName = caps.Software.Name ?? string.Empty; + swVersion = caps.Software.Version ?? string.Empty; + swReleaseDate = caps.Software.ReleaseDate ?? string.Empty; + } + + string impDescription = string.Empty; + string impUrl = string.Empty; + + if (caps.Implementation != null) + { + impDescription = caps.Implementation.Description ?? string.Empty; + impUrl = caps.Implementation.Url ?? string.Empty; + } + + List serverInteractions = new List(); + Dictionary resourceInteractions = new Dictionary(); + Dictionary serverSearchParams = new Dictionary(); + Dictionary serverOperations = new Dictionary(); + + if ((caps.Rest != null) && (caps.Rest.Count > 0)) + { + fhir_3.CapabilityStatementRest rest = caps.Rest[0]; + + if (rest.Interaction != null) + { + foreach (fhir_3.CapabilityStatementRestInteraction interaction in rest.Interaction) + { + if (string.IsNullOrEmpty(interaction.Code)) + { + continue; + } + + serverInteractions.Add(interaction.Code); + } + } + + if (rest.Resource != null) + { + foreach (fhir_3.CapabilityStatementRestResource resource in rest.Resource) + { + FhirServerResourceInfo resourceInfo = ParseServerRestResource(resource); + + if (resourceInteractions.ContainsKey(resourceInfo.ResourceType)) + { + continue; + } + + resourceInteractions.Add( + resourceInfo.ResourceType, + resourceInfo); + } + } + + if (rest.SearchParam != null) + { + foreach (fhir_3.CapabilityStatementRestResourceSearchParam sp in rest.SearchParam) + { + if (serverSearchParams.ContainsKey(sp.Name)) + { + continue; + } + + serverSearchParams.Add( + sp.Name, + new FhirServerSearchParam( + sp.Name, + sp.Definition, + sp.Type, + sp.Documentation)); + } + } + + if (rest.Operation != null) + { + foreach (fhir_3.CapabilityStatementRestOperation operation in rest.Operation) + { + if (serverOperations.ContainsKey(operation.Name)) + { + serverOperations[operation.Name].AddDefinition(operation.Definition.ReferenceField); + continue; + } + + serverOperations.Add( + operation.Name, + new FhirServerOperation( + operation.Name, + operation.Definition.ReferenceField, + string.Empty)); + } + } + } + + serverInfo = new FhirServerInfo( + serverInteractions, + serverUrl, + caps.FhirVersion, + swName, + swVersion, + swReleaseDate, + impDescription, + impUrl, + resourceInteractions, + serverSearchParams, + serverOperations); + } + + /// Parse server REST resource. + /// The resource. + /// A FhirServerResourceInfo. + private static FhirServerResourceInfo ParseServerRestResource( + fhir_3.CapabilityStatementRestResource resource) + { + List interactions = new List(); + Dictionary searchParams = new Dictionary(); + Dictionary operations = new Dictionary(); + + if (resource.Interaction != null) + { + foreach (fhir_3.CapabilityStatementRestResourceInteraction interaction in resource.Interaction) + { + if (string.IsNullOrEmpty(interaction.Code)) + { + continue; + } + + interactions.Add(interaction.Code); + } + } + + if (resource.SearchParam != null) + { + foreach (fhir_3.CapabilityStatementRestResourceSearchParam sp in resource.SearchParam) + { + if (searchParams.ContainsKey(sp.Name)) + { + continue; + } + + searchParams.Add( + sp.Name, + new FhirServerSearchParam( + sp.Name, + sp.Definition, + sp.Type, + sp.Documentation)); + } + } + + return new FhirServerResourceInfo( + interactions, + resource.Type, + null, + resource.Versioning, + resource.ReadHistory, + resource.UpdateCreate, + resource.ConditionalCreate, + resource.ConditionalRead, + resource.ConditionalUpdate, + resource.ConditionalDelete, + resource.ReferencePolicy, + resource.SearchInclude, + resource.SearchRevInclude, + searchParams, + operations); + } + /// Gets default value if present. /// The element. /// [out] The default name. diff --git a/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR4.cs b/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR4.cs index bd21467d9..8694279f7 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR4.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR4.cs @@ -11,7 +11,6 @@ using System.IO; using System.Linq; using System.Text; -using Microsoft.Health.Fhir.SpecManager.fhir.r2; using Microsoft.Health.Fhir.SpecManager.Manager; using Microsoft.Health.Fhir.SpecManager.Models; using Newtonsoft.Json; @@ -1210,6 +1209,214 @@ void IFhirConverter.ProcessResource( } } + /// Process a FHIR metadata resource into Server Information. + /// The metadata resource object (e.g., r4.CapabilitiesStatement). + /// URL of the server. + /// [out] Information describing the server. + void IFhirConverter.ProcessMetadata( + object metadata, + string serverUrl, + out FhirServerInfo serverInfo) + { + if (metadata == null) + { + serverInfo = null; + return; + } + + fhir_4.CapabilityStatement caps = metadata as fhir_4.CapabilityStatement; + + string swName = string.Empty; + string swVersion = string.Empty; + string swReleaseDate = string.Empty; + + if (caps.Software != null) + { + swName = caps.Software.Name ?? string.Empty; + swVersion = caps.Software.Version ?? string.Empty; + swReleaseDate = caps.Software.ReleaseDate ?? string.Empty; + } + + string impDescription = string.Empty; + string impUrl = string.Empty; + + if (caps.Implementation != null) + { + impDescription = caps.Implementation.Description ?? string.Empty; + impUrl = caps.Implementation.Url ?? string.Empty; + } + + List serverInteractions = new List(); + Dictionary resourceInteractions = new Dictionary(); + Dictionary serverSearchParams = new Dictionary(); + Dictionary serverOperations = new Dictionary(); + + if ((caps.Rest != null) && (caps.Rest.Count > 0)) + { + fhir_4.CapabilityStatementRest rest = caps.Rest[0]; + + if (rest.Interaction != null) + { + foreach (fhir_4.CapabilityStatementRestInteraction interaction in rest.Interaction) + { + if (string.IsNullOrEmpty(interaction.Code)) + { + continue; + } + + serverInteractions.Add(interaction.Code); + } + } + + if (rest.Resource != null) + { + foreach (fhir_4.CapabilityStatementRestResource resource in rest.Resource) + { + FhirServerResourceInfo resourceInfo = ParseServerRestResource(resource); + + if (resourceInteractions.ContainsKey(resourceInfo.ResourceType)) + { + continue; + } + + resourceInteractions.Add( + resourceInfo.ResourceType, + resourceInfo); + } + } + + if (rest.SearchParam != null) + { + foreach (fhir_4.CapabilityStatementRestResourceSearchParam sp in rest.SearchParam) + { + if (serverSearchParams.ContainsKey(sp.Name)) + { + continue; + } + + serverSearchParams.Add( + sp.Name, + new FhirServerSearchParam( + sp.Name, + sp.Definition, + sp.Type, + sp.Documentation)); + } + } + + if (rest.Operation != null) + { + foreach (fhir_4.CapabilityStatementRestResourceOperation operation in rest.Operation) + { + if (serverOperations.ContainsKey(operation.Name)) + { + serverOperations[operation.Name].AddDefinition(operation.Definition); + continue; + } + + serverOperations.Add( + operation.Name, + new FhirServerOperation( + operation.Name, + operation.Definition, + operation.Documentation)); + } + } + } + + serverInfo = new FhirServerInfo( + serverInteractions, + serverUrl, + caps.FhirVersion, + swName, + swVersion, + swReleaseDate, + impDescription, + impUrl, + resourceInteractions, + serverSearchParams, + serverOperations); + } + + /// Parse server REST resource. + /// The resource. + /// A FhirServerResourceInfo. + private static FhirServerResourceInfo ParseServerRestResource( + fhir_4.CapabilityStatementRestResource resource) + { + List interactions = new List(); + Dictionary searchParams = new Dictionary(); + Dictionary operations = new Dictionary(); + + if (resource.Interaction != null) + { + foreach (fhir_4.CapabilityStatementRestResourceInteraction interaction in resource.Interaction) + { + if (string.IsNullOrEmpty(interaction.Code)) + { + continue; + } + + interactions.Add(interaction.Code); + } + } + + if (resource.SearchParam != null) + { + foreach (fhir_4.CapabilityStatementRestResourceSearchParam sp in resource.SearchParam) + { + if (searchParams.ContainsKey(sp.Name)) + { + continue; + } + + searchParams.Add( + sp.Name, + new FhirServerSearchParam( + sp.Name, + sp.Definition, + sp.Type, + sp.Documentation)); + } + } + + if (resource.Operation != null) + { + foreach (fhir_4.CapabilityStatementRestResourceOperation operation in resource.Operation) + { + if (operations.ContainsKey(operation.Name)) + { + operations[operation.Name].AddDefinition(operation.Definition); + continue; + } + + operations.Add( + operation.Name, + new FhirServerOperation( + operation.Name, + operation.Definition, + operation.Documentation)); + } + } + + return new FhirServerResourceInfo( + interactions, + resource.Type, + resource.SupportedProfile, + resource.Versioning, + resource.ReadHistory, + resource.UpdateCreate, + resource.ConditionalCreate, + resource.ConditionalRead, + resource.ConditionalUpdate, + resource.ConditionalDelete, + resource.ReferencePolicy, + resource.SearchInclude, + resource.SearchRevInclude, + searchParams, + operations); + } + /// Gets default value if present. /// The element. /// [out] The default name. diff --git a/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR5.cs b/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR5.cs index 16d8a3a85..34193dd91 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR5.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR5.cs @@ -1211,6 +1211,214 @@ void IFhirConverter.ProcessResource( } } + /// Process a FHIR metadata resource into Server Information. + /// The metadata resource object (e.g., r4.CapabilitiesStatement). + /// URL of the server. + /// [out] Information describing the server. + void IFhirConverter.ProcessMetadata( + object metadata, + string serverUrl, + out FhirServerInfo serverInfo) + { + if (metadata == null) + { + serverInfo = null; + return; + } + + fhir_5.CapabilityStatement caps = metadata as fhir_5.CapabilityStatement; + + string swName = string.Empty; + string swVersion = string.Empty; + string swReleaseDate = string.Empty; + + if (caps.Software != null) + { + swName = caps.Software.Name ?? string.Empty; + swVersion = caps.Software.Version ?? string.Empty; + swReleaseDate = caps.Software.ReleaseDate ?? string.Empty; + } + + string impDescription = string.Empty; + string impUrl = string.Empty; + + if (caps.Implementation != null) + { + impDescription = caps.Implementation.Description ?? string.Empty; + impUrl = caps.Implementation.Url ?? string.Empty; + } + + List serverInteractions = new List(); + Dictionary resourceInteractions = new Dictionary(); + Dictionary serverSearchParams = new Dictionary(); + Dictionary serverOperations = new Dictionary(); + + if ((caps.Rest != null) && (caps.Rest.Count > 0)) + { + fhir_5.CapabilityStatementRest rest = caps.Rest[0]; + + if (rest.Interaction != null) + { + foreach (fhir_5.CapabilityStatementRestInteraction interaction in rest.Interaction) + { + if (string.IsNullOrEmpty(interaction.Code)) + { + continue; + } + + serverInteractions.Add(interaction.Code); + } + } + + if (rest.Resource != null) + { + foreach (fhir_5.CapabilityStatementRestResource resource in rest.Resource) + { + FhirServerResourceInfo resourceInfo = ParseServerRestResource(resource); + + if (resourceInteractions.ContainsKey(resourceInfo.ResourceType)) + { + continue; + } + + resourceInteractions.Add( + resourceInfo.ResourceType, + resourceInfo); + } + } + + if (rest.SearchParam != null) + { + foreach (fhir_5.CapabilityStatementRestResourceSearchParam sp in rest.SearchParam) + { + if (serverSearchParams.ContainsKey(sp.Name)) + { + continue; + } + + serverSearchParams.Add( + sp.Name, + new FhirServerSearchParam( + sp.Name, + sp.Definition, + sp.Type, + sp.Documentation)); + } + } + + if (rest.Operation != null) + { + foreach (fhir_5.CapabilityStatementRestResourceOperation operation in rest.Operation) + { + if (serverOperations.ContainsKey(operation.Name)) + { + serverOperations[operation.Name].AddDefinition(operation.Definition); + continue; + } + + serverOperations.Add( + operation.Name, + new FhirServerOperation( + operation.Name, + operation.Definition, + operation.Documentation)); + } + } + } + + serverInfo = new FhirServerInfo( + serverInteractions, + serverUrl, + caps.FhirVersion, + swName, + swVersion, + swReleaseDate, + impDescription, + impUrl, + resourceInteractions, + serverSearchParams, + serverOperations); + } + + /// Parse server REST resource. + /// The resource. + /// A FhirServerResourceInfo. + private static FhirServerResourceInfo ParseServerRestResource( + fhir_5.CapabilityStatementRestResource resource) + { + List interactions = new List(); + Dictionary searchParams = new Dictionary(); + Dictionary operations = new Dictionary(); + + if (resource.Interaction != null) + { + foreach (fhir_5.CapabilityStatementRestResourceInteraction interaction in resource.Interaction) + { + if (string.IsNullOrEmpty(interaction.Code)) + { + continue; + } + + interactions.Add(interaction.Code); + } + } + + if (resource.SearchParam != null) + { + foreach (fhir_5.CapabilityStatementRestResourceSearchParam sp in resource.SearchParam) + { + if (searchParams.ContainsKey(sp.Name)) + { + continue; + } + + searchParams.Add( + sp.Name, + new FhirServerSearchParam( + sp.Name, + sp.Definition, + sp.Type, + sp.Documentation)); + } + } + + if (resource.Operation != null) + { + foreach (fhir_5.CapabilityStatementRestResourceOperation operation in resource.Operation) + { + if (operations.ContainsKey(operation.Name)) + { + operations[operation.Name].AddDefinition(operation.Definition); + continue; + } + + operations.Add( + operation.Name, + new FhirServerOperation( + operation.Name, + operation.Definition, + operation.Documentation)); + } + } + + return new FhirServerResourceInfo( + interactions, + resource.Type, + resource.SupportedProfile, + resource.Versioning, + resource.ReadHistory, + resource.UpdateCreate, + resource.ConditionalCreate, + resource.ConditionalRead, + resource.ConditionalUpdate, + resource.ConditionalDelete, + resource.ReferencePolicy, + resource.SearchInclude, + resource.SearchRevInclude, + searchParams, + operations); + } + /// Gets default value if present. /// The element. /// [out] The default name. diff --git a/src/Microsoft.Health.Fhir.SpecManager/Converters/IFhirConverter.cs b/src/Microsoft.Health.Fhir.SpecManager/Converters/IFhirConverter.cs index fcf08e5fc..fdb8b7c17 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Converters/IFhirConverter.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Converters/IFhirConverter.cs @@ -22,10 +22,19 @@ public interface IFhirConverter object ParseResource(string json); /// Attempts to process resource. - /// [out] The resource object. + /// The resource object. /// Primitive types. void ProcessResource( object resourceToParse, FhirVersionInfo fhirVersionInfo); + + /// Process a FHIR metadata resource into Server Information. + /// The metadata resource object (e.g., r4.CapabilitiesStatement). + /// URL of the server. + /// [out] Information describing the server. + void ProcessMetadata( + object metadata, + string serverUrl, + out FhirServerInfo serverInfo); } } diff --git a/src/Microsoft.Health.Fhir.SpecManager/Extensions/FhirEnumExtensions.cs b/src/Microsoft.Health.Fhir.SpecManager/Extensions/FhirEnumExtensions.cs new file mode 100644 index 000000000..cb727c9b7 --- /dev/null +++ b/src/Microsoft.Health.Fhir.SpecManager/Extensions/FhirEnumExtensions.cs @@ -0,0 +1,223 @@ +// +// Copyright (c) Microsoft Corporation. All rights reserved. +// Licensed under the MIT License (MIT). See LICENSE in the repo root for license information. +// +using System; +using System.Collections.Generic; +using System.Reflection; +using System.Text; + +namespace Microsoft.Health.Fhir.SpecManager.Extensions +{ + /// A FHIR enum extensions. + public static class FhirEnumExtensions + { + private static Dictionary _typeLookups = new Dictionary(); + + /// An Enum extension method that converts a value to a literal. + /// The fhirEnumValue to act on. + /// Value as a string. + public static string ToLiteral(this Enum fhirEnum) + { + if (fhirEnum == null) + { + return null; + } + + Type type = fhirEnum.GetType(); + + if (!_typeLookups.ContainsKey(type)) + { + LoadTypeLookup(type); + } + + if (!_typeLookups[type].EnumToString.ContainsKey(fhirEnum)) + { + throw new Exception($"Unknown enum requested: {fhirEnum}"); + } + + return _typeLookups[type].EnumToString[fhirEnum]; + } + + /// Loads type lookup. + /// The type. + private static void LoadTypeLookup(Type type) + { + EnumValueLookups lookups = new EnumValueLookups() + { + EnumToString = new Dictionary(), + StringToEnum = new Dictionary(), + }; + + foreach (Enum value in Enum.GetValues(type)) + { + FieldInfo fieldInfo = type.GetField(value.ToString()); + + FhirLiteralAttribute[] attributes = fieldInfo.GetCustomAttributes( + typeof(FhirLiteralAttribute), + false) as FhirLiteralAttribute[]; + + if (attributes.Length == 0) + { + continue; + } + + lookups.EnumToString.Add(value, attributes[0].FhirLiteral); + lookups.StringToEnum.Add(attributes[0].FhirLiteral, value); + } + + _typeLookups[type] = lookups; + } + + /// + /// A string extension method that converts a FHIR string literal to a FHIR-Literal tagged enum + /// value. + /// + /// Thrown when an exception error condition occurs. + /// Generic type parameter. + /// The literal. + /// Literal as an Enum. + public static T ToFhirEnum(this string literal) + where T : struct + { + if (string.IsNullOrEmpty(literal)) + { + throw new Exception($"Invalid literal: {literal}"); + } + + return ParseFhir(literal); + } + + /// + /// A Type extension method that parses a FHIR string literal to a FHIR-Literal tagged enum value. + /// + /// Thrown when an exception error condition occurs. + /// Generic type parameter. + /// The literal. + /// An Enum. + public static T ParseFhir(string literal) + where T : struct + { + if (string.IsNullOrEmpty(literal)) + { + throw new Exception($"Invalid literal: {literal}"); + } + + Type enumType = typeof(T); + + if (!_typeLookups.ContainsKey(enumType)) + { + LoadTypeLookup(enumType); + } + + if (!_typeLookups[enumType].StringToEnum.ContainsKey(literal)) + { + throw new Exception($"Unknown enum requested: {literal}"); + } + + return (T)_typeLookups[enumType].StringToEnum[literal]; + } + + /// + /// A Type extension method that attempts to parse a FHIR string literal to a FHIR-Literal tagged + /// enum value. + /// + /// Generic type parameter. + /// The literal. + /// [out] The value. + /// True if it succeeds, false if it fails. + public static bool TryParseFhir(string literal, out object value) + where T : struct + { + if (string.IsNullOrEmpty(literal)) + { + value = null; + return false; + } + + Type enumType = typeof(T); + + if (!_typeLookups.ContainsKey(enumType)) + { + LoadTypeLookup(enumType); + } + + if (!_typeLookups[enumType].StringToEnum.ContainsKey(literal)) + { + value = null; + return false; + } + + value = _typeLookups[enumType].StringToEnum[literal]; + return true; + } + + /// A Type extension method that parse literal. + /// Thrown when an exception error condition occurs. + /// The enumType to act on. + /// The literal. + /// An Enum. + public static object ParseLiteral(this Type enumType, string literal) + { + if ((enumType == null) || + string.IsNullOrEmpty(literal)) + { + return null; + } + + if (!_typeLookups.ContainsKey(enumType)) + { + LoadTypeLookup(enumType); + } + + if (!_typeLookups[enumType].StringToEnum.ContainsKey(literal)) + { + throw new Exception($"Unknown enum requested: {literal}"); + } + + return _typeLookups[enumType].StringToEnum[literal]; + } + + /// A Type extension method that attempts to parse literal. + /// The enumType to act on. + /// The literal. + /// [out] The result. + /// True if it succeeds, false if it fails. + public static bool TryParseLiteral( + this Type enumType, + string literal, + out object result) + { + if ((enumType == null) || + string.IsNullOrEmpty(literal)) + { + result = null; + return false; + } + + if (!_typeLookups.ContainsKey(enumType)) + { + LoadTypeLookup(enumType); + } + + if (!_typeLookups[enumType].StringToEnum.ContainsKey(literal)) + { + result = null; + return false; + } + + result = _typeLookups[enumType].StringToEnum[literal]; + return true; + } + + /// An enum value lookups. + private struct EnumValueLookups + { + /// The enum to string. + public Dictionary EnumToString; + + /// The string to enum. + public Dictionary StringToEnum; + } + } +} diff --git a/src/Microsoft.Health.Fhir.SpecManager/Extensions/FhirLiteralAttribute.cs b/src/Microsoft.Health.Fhir.SpecManager/Extensions/FhirLiteralAttribute.cs new file mode 100644 index 000000000..88a54dbbd --- /dev/null +++ b/src/Microsoft.Health.Fhir.SpecManager/Extensions/FhirLiteralAttribute.cs @@ -0,0 +1,27 @@ +// +// Copyright (c) Microsoft Corporation. All rights reserved. +// Licensed under the MIT License (MIT). See LICENSE in the repo root for license information. +// +using System; +using System.Collections.Generic; +using System.Text; + +namespace Microsoft.Health.Fhir.SpecManager.Extensions +{ + /// Attribute for FHIR enum values to link strings and .Net equivalents. + [AttributeUsage(AttributeTargets.Field)] + public class FhirLiteralAttribute : Attribute + { + /// + /// Initializes a new instance of the class. + /// + /// The FHIR literal. + public FhirLiteralAttribute(string fhirLiteral) + { + FhirLiteral = fhirLiteral; + } + + /// Gets or sets the FHIR literal. + public string FhirLiteral { get; protected set; } + } +} diff --git a/src/Microsoft.Health.Fhir.SpecManager/Language/LanguageHelper.cs b/src/Microsoft.Health.Fhir.SpecManager/Language/LanguageHelper.cs index eca59fb49..762634161 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Language/LanguageHelper.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Language/LanguageHelper.cs @@ -19,6 +19,7 @@ public abstract class LanguageHelper /// True if initialized. private static bool _initialized = false; + /// Initializes the Language helper by loading all classes implementing the ILanguage interface. private static void Init() { if (_initialized) diff --git a/src/Microsoft.Health.Fhir.SpecManager/Manager/ExporterOptions.cs b/src/Microsoft.Health.Fhir.SpecManager/Manager/ExporterOptions.cs index 5fd4232c5..39b8c0c9e 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Manager/ExporterOptions.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Manager/ExporterOptions.cs @@ -6,6 +6,7 @@ using System; using System.Collections.Generic; using System.Text; +using Microsoft.Health.Fhir.SpecManager.Models; using static Microsoft.Health.Fhir.SpecManager.Models.FhirTypeBase; namespace Microsoft.Health.Fhir.SpecManager.Manager @@ -26,6 +27,8 @@ public class ExporterOptions /// Manually supported element paths that should have /// extensions. /// Options for controlling the language. + /// FHIR Server URL to pull a CapabilityStatement (or + /// Conformance) from. Requires application/fhir+json. public ExporterOptions( string languageName, IEnumerable exportList, @@ -33,7 +36,8 @@ public ExporterOptions( ExtensionSupportLevel extensionSupport, IEnumerable extensionUrls, IEnumerable extensionElementPaths, - Dictionary languageOptions) + Dictionary languageOptions, + string fhirServerUrl) { LanguageName = languageName; ExportList = exportList; @@ -66,6 +70,7 @@ public ExporterOptions( } _languageOptions = languageOptions; + FhirServerUrl = fhirServerUrl; } /// Values that represent FHIR export class types. @@ -151,5 +156,8 @@ public enum ExtensionSupportLevel /// Gets options for controlling the language. public Dictionary LanguageOptions => _languageOptions; + + /// Gets URL of the FHIR server. + public string FhirServerUrl { get; } } } diff --git a/src/Microsoft.Health.Fhir.SpecManager/Manager/FhirVersionInfo.cs b/src/Microsoft.Health.Fhir.SpecManager/Manager/FhirVersionInfo.cs index 1bf9bbaeb..c71c64949 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Manager/FhirVersionInfo.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Manager/FhirVersionInfo.cs @@ -169,22 +169,7 @@ public FhirVersionInfo(int majorVersion) // copy required fields MajorVersion = majorVersion; - // create our JSON converter - switch (majorVersion) - { - case 2: - _fhirConverter = new FromR2(); - break; - case 3: - _fhirConverter = new FromR3(); - break; - case 4: - _fhirConverter = new FromR4(); - break; - case 5: - _fhirConverter = new FromR5(); - break; - } + _fhirConverter = ConverterHelper.ConverterForVersion(majorVersion); // create our info dictionaries _primitiveTypesByName = new Dictionary(); diff --git a/src/Microsoft.Health.Fhir.SpecManager/Manager/ServerConnector.cs b/src/Microsoft.Health.Fhir.SpecManager/Manager/ServerConnector.cs new file mode 100644 index 000000000..1b6e21d2d --- /dev/null +++ b/src/Microsoft.Health.Fhir.SpecManager/Manager/ServerConnector.cs @@ -0,0 +1,139 @@ +// +// Copyright (c) Microsoft Corporation. All rights reserved. +// Licensed under the MIT License (MIT). See LICENSE in the repo root for license information. +// +using System; +using System.Collections.Generic; +using System.Net.Http; +using System.Net.Http.Headers; +using System.Text; +using Microsoft.Health.Fhir.SpecManager.Converters; +using Microsoft.Health.Fhir.SpecManager.Models; +using Newtonsoft.Json; +using Newtonsoft.Json.Serialization; + +namespace Microsoft.Health.Fhir.SpecManager.Manager +{ + /// A FHIR server connector. + public static class ServerConnector + { + /// + /// Attempts to get server information a FhirServerInfo from the given string. + /// + /// URL of the server. + /// [out] Information describing the server. + /// True if it succeeds, false if it fails. + public static bool TryGetServerInfo( + string serverUrl, + out FhirServerInfo serverInfo) + { + if (string.IsNullOrEmpty(serverUrl)) + { + serverInfo = null; + return false; + } + + HttpClient client = null; + HttpRequestMessage request = null; + + try + { + Uri serverUri = new Uri(serverUrl); + + client = new HttpClient(); + + request = new HttpRequestMessage() + { + Method = HttpMethod.Get, + RequestUri = new Uri(serverUri, "metadata"), + Headers = + { + Accept = + { + new MediaTypeWithQualityHeaderValue("application/fhir+json"), + }, + }, + }; + + Console.WriteLine($"Requesting metadata from {request.RequestUri}..."); + + HttpResponseMessage response = client.SendAsync(request).Result; + + if (response.StatusCode != System.Net.HttpStatusCode.OK) + { + Console.WriteLine($"Request to {request.RequestUri} failed! {response.StatusCode}"); + serverInfo = null; + return false; + } + + string content = response.Content.ReadAsStringAsync().Result; + + if (string.IsNullOrEmpty(content)) + { + Console.WriteLine($"Request to {request.RequestUri} returned empty body!"); + serverInfo = null; + return false; + } + + ServerFhirVersionStruct version = JsonConvert.DeserializeObject(content); + + if (string.IsNullOrEmpty(version.FhirVersion)) + { + Console.WriteLine($"Could not determine the FHIR version for {serverUrl}!"); + serverInfo = null; + return false; + } + + Console.WriteLine($"Connected to {serverUrl}, FHIR version: {version.FhirVersion}"); + + IFhirConverter fhirConverter = ConverterHelper.ConverterForVersion(version.FhirVersion); + + object metadata = fhirConverter.ParseResource(content); + + fhirConverter.ProcessMetadata(metadata, serverUrl, out serverInfo); + + if (serverInfo != null) + { + Console.WriteLine($"Server Information from {serverUrl}:"); + Console.WriteLine($"\t FHIR Version: {serverInfo.FhirVersion}"); + Console.WriteLine($"\t Software Name: {serverInfo.SoftwareName}"); + Console.WriteLine($"\tSoftware Version: {serverInfo.SoftwareVersion}"); + Console.WriteLine($"\t Release Date: {serverInfo.SoftwareReleaseDate}"); + Console.WriteLine($"\t Description: {serverInfo.ImplementationDescription}"); + Console.WriteLine($"\t Resources: {serverInfo.ResourceInteractions.Count}"); + return true; + } + } +#pragma warning disable CA1031 // Do not catch general exception types + catch (Exception ex) +#pragma warning restore CA1031 // Do not catch general exception types + { + Console.WriteLine($"Failed to get server info from: {serverUrl}, {ex.Message}"); + serverInfo = null; + return false; + } + finally + { + if (request != null) + { + request.Dispose(); + } + + if (client != null) + { + client.Dispose(); + } + } + + serverInfo = null; + return false; + } + + /// Minimal struct that will always parse a conformance/capability statement to get version info. + private struct ServerFhirVersionStruct + { + [JsonProperty("fhirVersion")] + public string FhirVersion { get; set; } + } + } +} diff --git a/src/Microsoft.Health.Fhir.SpecManager/Models/FhirServer.cs b/src/Microsoft.Health.Fhir.SpecManager/Models/FhirServer.cs deleted file mode 100644 index fcb7c05d1..000000000 --- a/src/Microsoft.Health.Fhir.SpecManager/Models/FhirServer.cs +++ /dev/null @@ -1,35 +0,0 @@ -// -// Copyright (c) Microsoft Corporation. All rights reserved. -// Licensed under the MIT License (MIT). See LICENSE in the repo root for license information. -// -using System; -using System.Collections.Generic; -using System.Text; - -namespace Microsoft.Health.Fhir.SpecManager.Models -{ - /// A FHIR server. - public class FhirServer - { - /// Gets FHIR Base URL for the server. - public Uri Url { get; } - - /// Gets the server-reported FHIR version. - public string FhirVersion { get; } - - /// Gets the FHIR Server software name. - public string SoftwareName { get; } - - /// Gets the FHIR Server software version. - public string SoftwareVersion { get; } - - /// Gets the FHIR Server software release date. - public string SoftwareReleaseDate { get; } - - /// Gets information describing the implementation. - public string ImplementationDescription { get; } - - /// Gets URL of the implementation. - public Uri ImplementationUrl { get; } - } -} diff --git a/src/Microsoft.Health.Fhir.SpecManager/Models/FhirServerInfo.cs b/src/Microsoft.Health.Fhir.SpecManager/Models/FhirServerInfo.cs new file mode 100644 index 000000000..f92359e24 --- /dev/null +++ b/src/Microsoft.Health.Fhir.SpecManager/Models/FhirServerInfo.cs @@ -0,0 +1,172 @@ +// +// Copyright (c) Microsoft Corporation. All rights reserved. +// Licensed under the MIT License (MIT). See LICENSE in the repo root for license information. +// +using System; +using System.Collections.Generic; +using System.Text; +using Microsoft.Health.Fhir.SpecManager.Extensions; + +namespace Microsoft.Health.Fhir.SpecManager.Models +{ + /// A FHIR server. + public class FhirServerInfo + { + private readonly int _serverInteractionFlags; + private readonly int _fhirMajorVersion; + + /// Initializes a new instance of the class. + /// The server interaction flags. + /// FHIR Base URL for the server. + /// The server-reported FHIR version. + /// The FHIR Server software name. + /// The FHIR Server software version. + /// The FHIR Server software release date. + /// Information describing the implementation. + /// URL of the implementation. + /// The server interactions by resource. + /// The search parameters for searching all resources. + /// The operations defined at the system level operation. + public FhirServerInfo( + List serverInteractions, + string url, + string fhirVersion, + string softwareName, + string softwareVersion, + string softwareReleaseDate, + string implementationDescription, + string implementationUrl, + Dictionary resourceInteractions, + Dictionary serverSearchParameters, + Dictionary serverOperations) + { + Url = url; + FhirVersion = fhirVersion; + + if (string.IsNullOrEmpty(fhirVersion)) + { + _fhirMajorVersion = 0; + } + else + { + // create our JSON converter + switch (fhirVersion[0]) + { + case '1': + case '2': + _fhirMajorVersion = 2; + break; + + case '3': + _fhirMajorVersion = 3; + break; + + case '4': + if (fhirVersion.StartsWith("4.4", StringComparison.Ordinal)) + { + _fhirMajorVersion = 5; + } + else + { + _fhirMajorVersion = 4; + } + + break; + + case '5': + _fhirMajorVersion = 5; + break; + } + } + + SoftwareName = softwareName; + SoftwareVersion = softwareVersion; + SoftwareReleaseDate = softwareReleaseDate; + ImplementationDescription = implementationDescription; + ImplementationUrl = implementationUrl; + ResourceInteractions = resourceInteractions; + ServerSearchParameters = serverSearchParameters; + ServerOperations = serverOperations; + + _serverInteractionFlags = 0; + + if (serverInteractions != null) + { + foreach (string interaction in serverInteractions) + { + _serverInteractionFlags += (int)interaction.ToFhirEnum(); + } + } + } + + /// A bit-field of flags for specifying system restful interactions. + [Flags] + public enum SystemRestfulInteractions : int + { + /// Update, create or delete a set of resources as a single transaction. + [FhirLiteral("transaction")] + Transaction = 0x0001, + + /// Perform a set of a separate interactions in a single http operation. + [FhirLiteral("batch")] + Batch = 0x0002, + + /// Search all resources based on some filter criteria. + [FhirLiteral("search-system")] + SearchSystem = 0x0004, + + /// Retrieve the change history for all resources on a system. + [FhirLiteral("history-system")] + HistorySystem = 0x0008, + } + + /// Gets FHIR Base URL for the server. + public string Url { get; } + + /// Gets the server-reported FHIR version. + public string FhirVersion { get; } + + /// Gets the major version. + public int MajorVersion => _fhirMajorVersion; + + /// Gets the FHIR Server software name. + public string SoftwareName { get; } + + /// Gets the FHIR Server software version. + public string SoftwareVersion { get; } + + /// Gets the FHIR Server software release date. + public string SoftwareReleaseDate { get; } + + /// Gets information describing the implementation. + public string ImplementationDescription { get; } + + /// Gets URL of the implementation. + public string ImplementationUrl { get; } + + /// Gets the server interactions by resource. + public Dictionary ResourceInteractions { get; } + + /// Gets the server interaction flags. + public int ServerInteractionFlags => _serverInteractionFlags; + + /// Gets the search parameters for searching all resources. + public Dictionary ServerSearchParameters { get; } + + /// Gets the operations defined at the system level operation. + public Dictionary ServerOperations { get; } + + /// Check if a specific server interaction is supported by this implementation. + /// The interaction. + /// True if it succeeds, false if it fails. + public bool SupportsServerInteraction(SystemRestfulInteractions interaction) + { + if ((_serverInteractionFlags & (int)interaction) == (int)interaction) + { + return true; + } + + return false; + } + } +} diff --git a/src/Microsoft.Health.Fhir.SpecManager/Models/FhirServerOperation.cs b/src/Microsoft.Health.Fhir.SpecManager/Models/FhirServerOperation.cs new file mode 100644 index 000000000..dddd13400 --- /dev/null +++ b/src/Microsoft.Health.Fhir.SpecManager/Models/FhirServerOperation.cs @@ -0,0 +1,54 @@ +// +// Copyright (c) Microsoft Corporation. All rights reserved. +// Licensed under the MIT License (MIT). See LICENSE in the repo root for license information. +// +using System; +using System.Collections.Generic; +using System.Text; + +namespace Microsoft.Health.Fhir.SpecManager.Models +{ + /// A FHIR server operation. + public class FhirServerOperation + { + private List _additionalDefinitions; + + /// + /// Initializes a new instance of the class. + /// + /// The name. + /// The definition canonical. + /// The documentation. + public FhirServerOperation(string name, string definitionCanonical, string documentation) + { + Name = name; + DefinitionCanonical = definitionCanonical; + Documentation = documentation; + _additionalDefinitions = null; + } + + /// Gets the name. + public string Name { get; } + + /// Gets the definition canonical. + public string DefinitionCanonical { get; } + + /// Gets the documentation. + public string Documentation { get; } + + /// Gets the additional definitions. + public List AdditionalDefinitions { get; } + + /// Adds a definition. + /// The definition canonical. + public void AddDefinition(string definitionCanonical) + { + if (_additionalDefinitions == null) + { + _additionalDefinitions = new List(); + } + + _additionalDefinitions.Add(definitionCanonical); + } + } +} diff --git a/src/Microsoft.Health.Fhir.SpecManager/Models/FhirServerResourceInfo.cs b/src/Microsoft.Health.Fhir.SpecManager/Models/FhirServerResourceInfo.cs index 1931dfac8..e3605c5fe 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Models/FhirServerResourceInfo.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Models/FhirServerResourceInfo.cs @@ -5,44 +5,219 @@ using System; using System.Collections.Generic; using System.Text; +using Microsoft.Health.Fhir.SpecManager.Extensions; namespace Microsoft.Health.Fhir.SpecManager.Models { /// Information about a supported FHIR server resource. public class FhirServerResourceInfo { + private readonly int _interactionFlags; + private readonly int _referencePolicies; + + /// + /// Initializes a new instance of the class. + /// + /// The interactions. + /// The resource type. + /// The list of supported profile URLs. + /// The supported version policy. + /// A value indicating whether vRead can return past versions. + /// A value indicating whether update can commit to a new + /// identity. + /// A value indicating whether allows/uses conditional create. + /// The conditional read policy for this resource. + /// A value indicating whether the conditional update. + /// The conditional delete. + /// The reference policy. + /// The _include values supported by the server. + /// The _revinclude values supported by the server. + /// The search parameters supported by implementation. + /// The operations supported by implementation. + public FhirServerResourceInfo( + List interactions, + string resourceType, + List supportedProfiles, + string versionSupport, + bool? readHistory, + bool? updateCreate, + bool? conditionalCreate, + string conditionalRead, + bool? conditionalUpdate, + string conditionalDelete, + List referencePolicies, + List searchIncludes, + List searchRevIncludes, + Dictionary searchParameters, + Dictionary operations) + { + ResourceType = resourceType; + SupportedProfiles = supportedProfiles ?? new List(); + ReadHistory = readHistory; + UpdateCreate = updateCreate; + ConditionalCreate = conditionalCreate; + ConditionalUpdate = conditionalUpdate; + SearchIncludes = searchIncludes ?? new List(); + SearchRevIncludes = searchRevIncludes ?? new List(); + SearchParameters = searchParameters ?? new Dictionary(); + Operations = operations ?? new Dictionary(); + + _interactionFlags = 0; + + if (interactions != null) + { + foreach (string interaction in interactions) + { + _interactionFlags += (int)interaction.ToFhirEnum(); + } + } + + if (!string.IsNullOrEmpty(versionSupport)) + { + VersionSupport = versionSupport.ToFhirEnum(); + } + + if (!string.IsNullOrEmpty(conditionalRead)) + { + ConditionalRead = conditionalRead.ToFhirEnum(); + } + + if (!string.IsNullOrEmpty(conditionalDelete)) + { + ConditionalDelete = conditionalDelete.ToFhirEnum(); + } + + _referencePolicies = 0; + + if (referencePolicies != null) + { + foreach (string policy in referencePolicies) + { + _referencePolicies += (int)policy.ToFhirEnum(); + } + } + } + /// A bit-field of flags for specifying resource interactions. [Flags] public enum FhirInteractions : int { /// Read the current state of the resource.. + [FhirLiteral("read")] Read = 0x0001, /// Read the state of a specific version of the resource. + [FhirLiteral("vread")] VRead = 0x0002, /// Update an existing resource by its id (or create it if it is new). + [FhirLiteral("update")] Update = 0x0004, /// Update an existing resource by posting a set of changes to it. - Patch = 0x008, + [FhirLiteral("patch")] + Patch = 0x0008, /// Delete a resource. + [FhirLiteral("delete")] Delete = 0x0010, /// Retrieve the change history for a particular resource. + [FhirLiteral("history-instance")] HistoryInstance = 0x0020, /// Retrieve the change history for all resources of a particular type. + [FhirLiteral("history-type")] HistoryType = 0x0040, /// Create a new resource with a server assigned id. + [FhirLiteral("create")] Create = 0x0080, /// Search all resources of the specified type based on some filter criteria. + [FhirLiteral("search-type")] SearchType = 0x0100, } + /// Values that represent versioning policies. + public enum VersioningPolicy + { + /// VersionId meta-property is not supported (server) or used (client). + [FhirLiteral("no-version")] + NoVersion, + + /// VersionId meta-property is supported (server) or used (client). + [FhirLiteral("versioned")] + Versioned, + + /// VersionId must be correct for updates (server) or will be specified (If-match header) for updates (client). + [FhirLiteral("versioned-update")] + VersionedUpdate, + } + + /// Values that represent conditional read policies. + public enum ConditionalReadPolicy + { + /// No support for conditional reads. + [FhirLiteral("not-supported")] + NotSupported, + + /// Conditional reads are supported, but only with the If-Modified-Since HTTP Header. + [FhirLiteral("modified-since")] + ModifiedSince, + + /// Conditional reads are supported, but only with the If-None-Match HTTP Header. + [FhirLiteral("not-match")] + NotMatch, + + /// Conditional reads are supported, with both If-Modified-Since and If-None-Match HTTP Headers. + [FhirLiteral("full-support")] + FullSupport, + } + + /// Values that represent conditional delete policies. + public enum ConditionalDeletePolicy + { + /// No support for conditional deletes. + [FhirLiteral("not-supported")] + NotSupported, + + /// Conditional deletes are supported, but only single resources at a time. + [FhirLiteral("single")] +#pragma warning disable CA1720 // Identifier contains type name + Single, +#pragma warning restore CA1720 // Identifier contains type name + + /// Conditional deletes are supported, and multiple resources can be deleted in a single interaction. + [FhirLiteral("multiple")] + Multiple, + } + + /// Values that represent reference handling policies. + [Flags] + public enum ReferenceHandlingPolicies + { + /// The server supports and populates Literal references (i.e. using Reference.reference) where they are known (this code does not guarantee that all references are literal; see 'enforced'). + [FhirLiteral("literal")] + Literal = 0x0001, + + /// The server allows logical references (i.e. using Reference.identifier). + [FhirLiteral("logical")] + Logical = 0x0002, + + /// The server will attempt to resolve logical references to literal references - i.e. converting Reference.identifier to Reference.reference (if resolution fails, the server may still accept resources; see logical). + [FhirLiteral("resolves")] + Resolves = 0x0004, + + /// The server enforces that references have integrity - e.g. it ensures that references can always be resolved. This is typically the case for clinical record systems, but often not the case for middleware/proxy systems. + [FhirLiteral("enforced")] + Enforced = 0x0008, + + /// The server does not support references that point to other servers. + [FhirLiteral("local")] + Local = 0x0010, + } + /// Gets the resource type. public string ResourceType { get; } @@ -50,6 +225,69 @@ public enum FhirInteractions : int public List SupportedProfiles { get; } /// Gets the interaction flags. - public int InteractionFlags { get; } + public int InteractionFlags => _interactionFlags; + + /// Gets the supported version policy. + public VersioningPolicy? VersionSupport { get; } + + /// Gets a value indicating whether vRead can return past versions. + public bool? ReadHistory { get; } + + /// Gets a value indicating whether update can commit to a new identity. + public bool? UpdateCreate { get; } + + /// Gets a value indicating whether allows/uses conditional create. + public bool? ConditionalCreate { get; } + + /// Gets the conditional read policy for this resource. + public ConditionalReadPolicy? ConditionalRead { get; } + + /// Gets a value indicating whether the conditional update. + public bool? ConditionalUpdate { get; } + + /// Gets the conditional delete. + public ConditionalDeletePolicy? ConditionalDelete { get; } + + /// Gets the reference policy. + public int ReferencePolicies => _referencePolicies; + + /// Gets the _include values supported by the server. + public List SearchIncludes { get; } + + /// Gets the _revinclude values supported by the server. + public List SearchRevIncludes { get; } + + /// Gets the search parameters supported by implementation. + public Dictionary SearchParameters { get; } + + /// Gets the operations supported by implementation. + public Dictionary Operations { get; } + + /// Check if a specific interaction is supported by this resource. + /// The interaction. + /// True if it succeeds, false if it fails. + public bool SupportsInteraction(FhirInteractions interaction) + { + if ((_interactionFlags & (int)interaction) == (int)interaction) + { + return true; + } + + return false; + } + + /// Supports policy. + /// The policy. + /// True if it succeeds, false if it fails. + public bool SupportsPolicy(ReferenceHandlingPolicies policy) + { + if ((_referencePolicies & (int)policy) == (int)policy) + { + return true; + } + + return false; + } + } } diff --git a/src/Microsoft.Health.Fhir.SpecManager/Models/FhirServerSearchParam.cs b/src/Microsoft.Health.Fhir.SpecManager/Models/FhirServerSearchParam.cs new file mode 100644 index 000000000..a320adfff --- /dev/null +++ b/src/Microsoft.Health.Fhir.SpecManager/Models/FhirServerSearchParam.cs @@ -0,0 +1,111 @@ +// +// Copyright (c) Microsoft Corporation. All rights reserved. +// Licensed under the MIT License (MIT). See LICENSE in the repo root for license information. +// +using System; +using System.Collections.Generic; +using System.Linq; +using System.Text; +using Microsoft.Health.Fhir.SpecManager.Extensions; + +namespace Microsoft.Health.Fhir.SpecManager.Models +{ + /// A FHIR server search parameter. + public class FhirServerSearchParam + { + /// + /// Initializes a new instance of the class. + /// + /// The name. + /// The definition canonical. + /// The type of the parameter. + /// The documentation. + public FhirServerSearchParam( + string name, + string definitionCanonical, + SearchParameterType parameterType, + string documentation) + { + Name = name; + DefinitionCanonical = definitionCanonical; + ParameterType = parameterType; + Documentation = documentation; + } + + /// + /// Initializes a new instance of the class. + /// + /// The name. + /// The definition canonical. + /// The type of the parameter. + /// The documentation. + public FhirServerSearchParam( + string name, + string definitionCanonical, + string parameterType, + string documentation) + { + Name = name; + DefinitionCanonical = definitionCanonical; + ParameterType = parameterType.ToFhirEnum(); + Documentation = documentation; + } + + /// + /// Values that represent the type of value a search parameter refers to, and how the content is + /// interpreted. + /// + public enum SearchParameterType + { + /// Search parameter SHALL be a number (a whole number, or a decimal). + [FhirLiteral("number")] + Number, + + /// Search parameter is on a date/time. The date format is the standard XML format, though other formats may be supported. + [FhirLiteral("date")] + Date, + + /// Search parameter is a simple string, like a name part. Search is case-insensitive and accent-insensitive. May match just the start of a string. String parameters may contain spaces. + [FhirLiteral("string")] +#pragma warning disable CA1720 // Identifier contains type name + String, +#pragma warning restore CA1720 // Identifier contains type name + + /// Search parameter on a coded element or identifier. May be used to search through the text, display, code and code/codesystem (for codes) and label, system and key (for identifier). Its value is either a string or a pair of namespace and value, separated by a "|", depending on the modifier used. + [FhirLiteral("token")] + Token, + + /// A reference to another resource (Reference or canonical). + [FhirLiteral("reference")] + Reference, + + /// A composite search parameter that combines a search on two values together. + [FhirLiteral("composite")] + Composite, + + /// A search parameter that searches on a quantity. + [FhirLiteral("quantity")] + Quantity, + + /// A search parameter that searches on a URI (RFC 3986). + [FhirLiteral("uri")] + Uri, + + /// Special logic applies to this parameter per the description of the search parameter. + [FhirLiteral("special")] + Special, + } + + /// Gets the name. + public string Name { get; } + + /// Gets the definition canonical. + public string DefinitionCanonical { get; } + + /// Gets the type of the parameter. + public SearchParameterType ParameterType { get; } + + /// Gets the documentation. + public string Documentation { get; } + } +} diff --git a/src/fhir-codegen-cli/GlobalSuppressions.cs b/src/fhir-codegen-cli/GlobalSuppressions.cs index fbd77e6d3..10096bb84 100644 --- a/src/fhir-codegen-cli/GlobalSuppressions.cs +++ b/src/fhir-codegen-cli/GlobalSuppressions.cs @@ -7,3 +7,5 @@ [assembly: System.Diagnostics.CodeAnalysis.SuppressMessage("StyleCop.CSharp.NamingRules", "SA1309:Field names should not begin with underscore", Justification = "Reviewed")] [assembly: System.Diagnostics.CodeAnalysis.SuppressMessage("StyleCop.CSharp.ReadabilityRules", "SA1101:Prefix local calls with this", Justification = "Reviewed")] +[assembly: System.Diagnostics.CodeAnalysis.SuppressMessage("Design", "CA1056:Uri properties should not be strings", Justification = "Reviewed")] +[assembly: System.Diagnostics.CodeAnalysis.SuppressMessage("Design", "CA1054:Uri parameters should not be strings", Justification = "Reviewed")] diff --git a/src/fhir-codegen-cli/Program.cs b/src/fhir-codegen-cli/Program.cs index e7410d64e..7f0164b36 100644 --- a/src/fhir-codegen-cli/Program.cs +++ b/src/fhir-codegen-cli/Program.cs @@ -8,6 +8,7 @@ using System.Diagnostics; using System.IO; using System.Linq; +using Microsoft.Health.Fhir.SpecManager.Extensions; using Microsoft.Health.Fhir.SpecManager.fhir.r2; using Microsoft.Health.Fhir.SpecManager.Language; using Microsoft.Health.Fhir.SpecManager.Manager; @@ -76,17 +77,6 @@ public static void Main( outputPath = Path.Combine(Directory.GetCurrentDirectory(), "..\\..\\generated"); } - if (string.IsNullOrEmpty(loadR2) && - string.IsNullOrEmpty(loadR3) && - string.IsNullOrEmpty(loadR4) && - string.IsNullOrEmpty(loadR5)) - { - loadR2 = "latest"; - loadR3 = "latest"; - loadR4 = "latest"; - loadR5 = "latest"; - } - if (string.IsNullOrEmpty(language)) { language = "Info|TypeScript|CSharpBasic"; @@ -95,41 +85,82 @@ public static void Main( // start timing Stopwatch timingWatch = Stopwatch.StartNew(); - // process - Process( - fhirSpecDirectory, - offlineMode, - officialExpansionsOnly, - loadR2, - out FhirVersionInfo r2, - loadR3, - out FhirVersionInfo r3, - loadR4, - out FhirVersionInfo r4, - loadR5, - out FhirVersionInfo r5); + // initialize the FHIR version manager with our requested directory + FhirManager.Init(fhirSpecDirectory); - // done loading - long loadMS = timingWatch.ElapsedMilliseconds; + FhirVersionInfo r2 = null; + FhirVersionInfo r3 = null; + FhirVersionInfo r4 = null; + FhirVersionInfo r5 = null; + + FhirServerInfo serverInfo = null; + + if (!string.IsNullOrEmpty(fhirServerUrl)) + { + if (!ServerConnector.TryGetServerInfo(fhirServerUrl, out serverInfo)) + { + Console.WriteLine($"Failed to get server information from {fhirServerUrl}!"); + return; + } + } + + if (string.IsNullOrEmpty(loadR2) && + string.IsNullOrEmpty(loadR3) && + string.IsNullOrEmpty(loadR4) && + string.IsNullOrEmpty(loadR5)) + { + if (serverInfo == null) + { + loadR2 = "latest"; + loadR3 = "latest"; + loadR4 = "latest"; + loadR5 = "latest"; + } + else + { + switch (serverInfo.MajorVersion) + { + case 2: + loadR2 = "latest"; + break; + + case 3: + loadR3 = "latest"; + break; + + case 4: + loadR4 = "latest"; + break; + + case 5: + loadR5 = "latest"; + break; + } + } + } int fhirVersionCount = 0; - if (r2 != null) + if (!string.IsNullOrEmpty(loadR2)) { + r2 = FhirManager.Current.LoadPublished(2, loadR2, offlineMode, officialExpansionsOnly); fhirVersionCount++; } - if (r3 != null) + if (!string.IsNullOrEmpty(loadR3)) { + r3 = FhirManager.Current.LoadPublished(3, loadR3, offlineMode, officialExpansionsOnly); fhirVersionCount++; } - if (r4 != null) + if (!string.IsNullOrEmpty(loadR4)) { + r4 = FhirManager.Current.LoadPublished(4, loadR4, offlineMode, officialExpansionsOnly); fhirVersionCount++; } - if (r5 != null) + if (!string.IsNullOrEmpty(loadR5)) { + r5 = FhirManager.Current.LoadPublished(5, loadR5, offlineMode, officialExpansionsOnly); fhirVersionCount++; } @@ -138,6 +169,9 @@ public static void Main( isBatch = true; } + // done loading + long loadMS = timingWatch.ElapsedMilliseconds; + if (string.IsNullOrEmpty(outputPath)) { if ((verbose == true) && (r2 != null)) @@ -202,7 +236,8 @@ public static void Main( ExporterOptions.ExtensionSupportLevel.NonPrimitives, null, null, - languageOptsByLang[lang.LanguageName]); + languageOptsByLang[lang.LanguageName], + fhirServerUrl); if (r2 != null) { @@ -234,10 +269,6 @@ public static void Main( foreach (string file in filesWritten) { Console.WriteLine($"+ {file}"); - - if (file.EndsWith(".cs", StringComparison.Ordinal)) - { - } } } @@ -323,98 +354,6 @@ private static Dictionary> ParseLanguageOptio return optionsByLanguage; } - /// Main processing function. - /// The full path to the directory where FHIR specifications - /// are. - /// Offline mode (will not download missing specs). - /// True to restrict value-sets exported to only official - /// expansions. - /// If FHIR R2 should be loaded, which version (e.g., 1.0.2 - /// or latest). - /// [out] The FhirVersionInfo for R2 (if loaded). - /// If FHIR R3 should be loaded, which version (e.g., 3.0.2 - /// or latest). - /// [out] The FhirVersionInfo for R3 (if loaded). - /// If FHIR R4 should be loaded, which version (e.g., 4.0.1 - /// or latest). - /// [out] The FhirVersionInfo for R4 (if loaded). - /// If FHIR R5 should be loaded, which version (e.g., 4.4.0 - /// or latest). - /// [out] The FhirVersionInfo for R5 (if loaded). - public static void Process( - string fhirSpecDirectory, - bool offlineMode, - bool officialExpansionsOnly, - string loadR2, - out FhirVersionInfo r2, - string loadR3, - out FhirVersionInfo r3, - string loadR4, - out FhirVersionInfo r4, - string loadR5, - out FhirVersionInfo r5) - { - // initialize the FHIR version manager with our requested directory - FhirManager.Init(fhirSpecDirectory); - - r2 = null; - r3 = null; - r4 = null; - r5 = null; - - if (!string.IsNullOrEmpty(loadR2)) - { - try - { - r2 = FhirManager.Current.LoadPublished(2, loadR2, offlineMode, officialExpansionsOnly); - } - catch (Exception ex) - { - Console.WriteLine($"Loading R2 ({loadR2}) failed: {ex}"); - throw; - } - } - - if (!string.IsNullOrEmpty(loadR3)) - { - try - { - r3 = FhirManager.Current.LoadPublished(3, loadR3, offlineMode, officialExpansionsOnly); - } - catch (Exception ex) - { - Console.WriteLine($"Loading R3 ({loadR3}) failed: {ex}"); - throw; - } - } - - if (!string.IsNullOrEmpty(loadR4)) - { - try - { - r4 = FhirManager.Current.LoadPublished(4, loadR4, offlineMode, officialExpansionsOnly); - } - catch (Exception ex) - { - Console.WriteLine($"Loading R4 ({loadR4}) failed: {ex}"); - throw; - } - } - - if (!string.IsNullOrEmpty(loadR5)) - { - try - { - r5 = FhirManager.Current.LoadPublished(5, loadR5, offlineMode, officialExpansionsOnly); - } - catch (Exception ex) - { - Console.WriteLine($"Loading R5 ({loadR5}) failed: {ex}"); - throw; - } - } - } - /// Dumps information about a FHIR version to the console. /// The writer. /// The FHIR information. diff --git a/src/fhir-codegen-cli/Properties/launchSettings.json b/src/fhir-codegen-cli/Properties/launchSettings.json index 4dcd5f55d..8adcdc802 100644 --- a/src/fhir-codegen-cli/Properties/launchSettings.json +++ b/src/fhir-codegen-cli/Properties/launchSettings.json @@ -94,6 +94,21 @@ "commandName": "Project", "commandLineArgs": "--output-path ..\\..\\firely --load-r2 latest --load-r3 latest --load-r4 latest --load-r5 latest --fhir-spec-directory ..\\..\\fhirVersions --language CSharpFirely --official-expansions-only true", "workingDirectory": "$(MSBuildProjectDirectory)" + }, + "server2": { + "commandName": "Project", + "commandLineArgs": "--fhir-server-url http://hapi.fhir.org/baseDstu2/ --output-path ..\\..\\test --fhir-spec-directory ..\\..\\fhirVersions --language Info", + "workingDirectory": "$(MSBuildProjectDirectory)" + }, + "server3": { + "commandName": "Project", + "commandLineArgs": "--fhir-server-url http://hapi.fhir.org/baseStu3/ --output-path ..\\..\\test --fhir-spec-directory ..\\..\\fhirVersions --language Info", + "workingDirectory": "$(MSBuildProjectDirectory)" + }, + "server4": { + "commandName": "Project", + "commandLineArgs": "--fhir-server-url http://hapi.fhir.org/baseR4/ --output-path ..\\..\\test --fhir-spec-directory ..\\..\\fhirVersions --language Info", + "workingDirectory": "$(MSBuildProjectDirectory)" } } } From 8342d5e1a929ce7eb0f9f185747da40fb12a5cde Mon Sep 17 00:00:00 2001 From: Gino Canessa Date: Fri, 24 Jul 2020 10:32:56 -0500 Subject: [PATCH 02/13] Changed flag-style enums to regular enums for consistency and clarity. --- .../Models/FhirServerInfo.cs | 36 +++------ .../Models/FhirServerResourceInfo.cs | 81 ++++++------------- 2 files changed, 37 insertions(+), 80 deletions(-) diff --git a/src/Microsoft.Health.Fhir.SpecManager/Models/FhirServerInfo.cs b/src/Microsoft.Health.Fhir.SpecManager/Models/FhirServerInfo.cs index f92359e24..95ffadd11 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Models/FhirServerInfo.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Models/FhirServerInfo.cs @@ -12,7 +12,7 @@ namespace Microsoft.Health.Fhir.SpecManager.Models /// A FHIR server. public class FhirServerInfo { - private readonly int _serverInteractionFlags; + private readonly List _serverInteractions; private readonly int _fhirMajorVersion; /// Initializes a new instance of the class. @@ -88,36 +88,35 @@ public FhirServerInfo( ServerSearchParameters = serverSearchParameters; ServerOperations = serverOperations; - _serverInteractionFlags = 0; + _serverInteractions = new List(); if (serverInteractions != null) { foreach (string interaction in serverInteractions) { - _serverInteractionFlags += (int)interaction.ToFhirEnum(); + _serverInteractions.Add(interaction.ToFhirEnum()); } } } - /// A bit-field of flags for specifying system restful interactions. - [Flags] - public enum SystemRestfulInteractions : int + /// Values that represent system restful interactions. + public enum SystemRestfulInteraction : int { /// Update, create or delete a set of resources as a single transaction. [FhirLiteral("transaction")] - Transaction = 0x0001, + Transaction, /// Perform a set of a separate interactions in a single http operation. [FhirLiteral("batch")] - Batch = 0x0002, + Batch, /// Search all resources based on some filter criteria. [FhirLiteral("search-system")] - SearchSystem = 0x0004, + SearchSystem, /// Retrieve the change history for all resources on a system. [FhirLiteral("history-system")] - HistorySystem = 0x0008, + HistorySystem, } /// Gets FHIR Base URL for the server. @@ -147,26 +146,13 @@ public enum SystemRestfulInteractions : int /// Gets the server interactions by resource. public Dictionary ResourceInteractions { get; } - /// Gets the server interaction flags. - public int ServerInteractionFlags => _serverInteractionFlags; + /// Gets the server interactions. + public List ServerInteractions => _serverInteractions; /// Gets the search parameters for searching all resources. public Dictionary ServerSearchParameters { get; } /// Gets the operations defined at the system level operation. public Dictionary ServerOperations { get; } - - /// Check if a specific server interaction is supported by this implementation. - /// The interaction. - /// True if it succeeds, false if it fails. - public bool SupportsServerInteraction(SystemRestfulInteractions interaction) - { - if ((_serverInteractionFlags & (int)interaction) == (int)interaction) - { - return true; - } - - return false; - } } } diff --git a/src/Microsoft.Health.Fhir.SpecManager/Models/FhirServerResourceInfo.cs b/src/Microsoft.Health.Fhir.SpecManager/Models/FhirServerResourceInfo.cs index e3605c5fe..3b0042063 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Models/FhirServerResourceInfo.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Models/FhirServerResourceInfo.cs @@ -12,8 +12,8 @@ namespace Microsoft.Health.Fhir.SpecManager.Models /// Information about a supported FHIR server resource. public class FhirServerResourceInfo { - private readonly int _interactionFlags; - private readonly int _referencePolicies; + private readonly List _interactions; + private readonly List _referencePolicies; /// /// Initializes a new instance of the class. @@ -62,13 +62,13 @@ public FhirServerResourceInfo( SearchParameters = searchParameters ?? new Dictionary(); Operations = operations ?? new Dictionary(); - _interactionFlags = 0; + _interactions = new List(); if (interactions != null) { foreach (string interaction in interactions) { - _interactionFlags += (int)interaction.ToFhirEnum(); + _interactions.Add(interaction.ToFhirEnum()); } } @@ -87,56 +87,55 @@ public FhirServerResourceInfo( ConditionalDelete = conditionalDelete.ToFhirEnum(); } - _referencePolicies = 0; + _referencePolicies = new List(); if (referencePolicies != null) { foreach (string policy in referencePolicies) { - _referencePolicies += (int)policy.ToFhirEnum(); + _referencePolicies.Add(policy.ToFhirEnum()); } } } - /// A bit-field of flags for specifying resource interactions. - [Flags] - public enum FhirInteractions : int + /// Values that represent FHIR resource interactions. + public enum FhirInteraction { /// Read the current state of the resource.. [FhirLiteral("read")] - Read = 0x0001, + Read, /// Read the state of a specific version of the resource. [FhirLiteral("vread")] - VRead = 0x0002, + VRead, /// Update an existing resource by its id (or create it if it is new). [FhirLiteral("update")] - Update = 0x0004, + Update, /// Update an existing resource by posting a set of changes to it. [FhirLiteral("patch")] - Patch = 0x0008, + Patch, /// Delete a resource. [FhirLiteral("delete")] - Delete = 0x0010, + Delete, /// Retrieve the change history for a particular resource. [FhirLiteral("history-instance")] - HistoryInstance = 0x0020, + HistoryInstance, /// Retrieve the change history for all resources of a particular type. [FhirLiteral("history-type")] - HistoryType = 0x0040, + HistoryType, /// Create a new resource with a server assigned id. [FhirLiteral("create")] - Create = 0x0080, + Create, /// Search all resources of the specified type based on some filter criteria. [FhirLiteral("search-type")] - SearchType = 0x0100, + SearchType, } /// Values that represent versioning policies. @@ -194,28 +193,27 @@ public enum ConditionalDeletePolicy } /// Values that represent reference handling policies. - [Flags] - public enum ReferenceHandlingPolicies + public enum ReferenceHandlingPolicy { /// The server supports and populates Literal references (i.e. using Reference.reference) where they are known (this code does not guarantee that all references are literal; see 'enforced'). [FhirLiteral("literal")] - Literal = 0x0001, + Literal, /// The server allows logical references (i.e. using Reference.identifier). [FhirLiteral("logical")] - Logical = 0x0002, + Logical, /// The server will attempt to resolve logical references to literal references - i.e. converting Reference.identifier to Reference.reference (if resolution fails, the server may still accept resources; see logical). [FhirLiteral("resolves")] - Resolves = 0x0004, + Resolves, /// The server enforces that references have integrity - e.g. it ensures that references can always be resolved. This is typically the case for clinical record systems, but often not the case for middleware/proxy systems. [FhirLiteral("enforced")] - Enforced = 0x0008, + Enforced, /// The server does not support references that point to other servers. [FhirLiteral("local")] - Local = 0x0010, + Local, } /// Gets the resource type. @@ -224,8 +222,8 @@ public enum ReferenceHandlingPolicies /// Gets the list of supported profile URLs. public List SupportedProfiles { get; } - /// Gets the interaction flags. - public int InteractionFlags => _interactionFlags; + /// Gets the supported interactions. + public List Interactions => _interactions; /// Gets the supported version policy. public VersioningPolicy? VersionSupport { get; } @@ -249,7 +247,7 @@ public enum ReferenceHandlingPolicies public ConditionalDeletePolicy? ConditionalDelete { get; } /// Gets the reference policy. - public int ReferencePolicies => _referencePolicies; + public List ReferencePolicies => _referencePolicies; /// Gets the _include values supported by the server. public List SearchIncludes { get; } @@ -262,32 +260,5 @@ public enum ReferenceHandlingPolicies /// Gets the operations supported by implementation. public Dictionary Operations { get; } - - /// Check if a specific interaction is supported by this resource. - /// The interaction. - /// True if it succeeds, false if it fails. - public bool SupportsInteraction(FhirInteractions interaction) - { - if ((_interactionFlags & (int)interaction) == (int)interaction) - { - return true; - } - - return false; - } - - /// Supports policy. - /// The policy. - /// True if it succeeds, false if it fails. - public bool SupportsPolicy(ReferenceHandlingPolicies policy) - { - if ((_referencePolicies & (int)policy) == (int)policy) - { - return true; - } - - return false; - } - } } From 1a65cf562bfdd9cf29259d394fd4332075a8c280 Mon Sep 17 00:00:00 2001 From: Gino Canessa Date: Fri, 24 Jul 2020 11:35:46 -0500 Subject: [PATCH 03/13] Fixed temp directory output for server debug runs. Added server information to ExportOptions Added filtering for resources/search parameters/operations based on server information (if present). --- .gitignore | 3 +- .../Extensions/FhirEnumExtensions.cs | 77 +++--------- .../Manager/Exporter.cs | 3 +- .../Manager/ExporterOptions.cs | 16 ++- .../Manager/FhirVersionInfo.cs | 116 ++++++++++++++++-- .../Models/FhirComplex.cs | 108 ++++++++++++++-- src/fhir-codegen-cli/Program.cs | 3 +- .../Properties/launchSettings.json | 6 +- 8 files changed, 239 insertions(+), 93 deletions(-) diff --git a/.gitignore b/.gitignore index ed293c0fc..f27be4176 100644 --- a/.gitignore +++ b/.gitignore @@ -377,4 +377,5 @@ msbuild.log msbuild.err msbuild.wrn /generated/r4-test.txt -/firely \ No newline at end of file +/firely +/temp diff --git a/src/Microsoft.Health.Fhir.SpecManager/Extensions/FhirEnumExtensions.cs b/src/Microsoft.Health.Fhir.SpecManager/Extensions/FhirEnumExtensions.cs index cb727c9b7..cab9ac896 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Extensions/FhirEnumExtensions.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Extensions/FhirEnumExtensions.cs @@ -119,82 +119,43 @@ public static T ParseFhir(string literal) } /// - /// A Type extension method that attempts to parse a FHIR string literal to a FHIR-Literal tagged - /// enum value. + /// A string extension method that attempts to to FHIR enum a T from the given string. /// /// Generic type parameter. /// The literal. /// [out] The value. /// True if it succeeds, false if it fails. - public static bool TryParseFhir(string literal, out object value) + public static bool TryFhirEnum(this string literal, out object value) where T : struct { if (string.IsNullOrEmpty(literal)) { - value = null; - return false; - } - - Type enumType = typeof(T); - - if (!_typeLookups.ContainsKey(enumType)) - { - LoadTypeLookup(enumType); - } - - if (!_typeLookups[enumType].StringToEnum.ContainsKey(literal)) - { - value = null; + value = default(T); return false; } - value = _typeLookups[enumType].StringToEnum[literal]; - return true; - } - - /// A Type extension method that parse literal. - /// Thrown when an exception error condition occurs. - /// The enumType to act on. - /// The literal. - /// An Enum. - public static object ParseLiteral(this Type enumType, string literal) - { - if ((enumType == null) || - string.IsNullOrEmpty(literal)) - { - return null; - } - - if (!_typeLookups.ContainsKey(enumType)) - { - LoadTypeLookup(enumType); - } - - if (!_typeLookups[enumType].StringToEnum.ContainsKey(literal)) - { - throw new Exception($"Unknown enum requested: {literal}"); - } - - return _typeLookups[enumType].StringToEnum[literal]; + return TryParseFhir(literal, out value); } - /// A Type extension method that attempts to parse literal. - /// The enumType to act on. - /// The literal. - /// [out] The result. + /// + /// A Type extension method that attempts to parse a FHIR string literal to a FHIR-Literal tagged + /// enum value. + /// + /// Generic type parameter. + /// The literal. + /// [out] The value. /// True if it succeeds, false if it fails. - public static bool TryParseLiteral( - this Type enumType, - string literal, - out object result) + public static bool TryParseFhir(string literal, out object value) + where T : struct { - if ((enumType == null) || - string.IsNullOrEmpty(literal)) + if (string.IsNullOrEmpty(literal)) { - result = null; + value = default(T); return false; } + Type enumType = typeof(T); + if (!_typeLookups.ContainsKey(enumType)) { LoadTypeLookup(enumType); @@ -202,11 +163,11 @@ public static bool TryParseLiteral( if (!_typeLookups[enumType].StringToEnum.ContainsKey(literal)) { - result = null; + value = null; return false; } - result = _typeLookups[enumType].StringToEnum[literal]; + value = _typeLookups[enumType].StringToEnum[literal]; return true; } diff --git a/src/Microsoft.Health.Fhir.SpecManager/Manager/Exporter.cs b/src/Microsoft.Health.Fhir.SpecManager/Manager/Exporter.cs index 89de41dbb..4cdfe17ec 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Manager/Exporter.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Manager/Exporter.cs @@ -108,7 +108,8 @@ public static List Export( copyResources, true, options.ExtensionUrls, - options.ExtensionElementPaths); + options.ExtensionElementPaths, + options.ServerInfo); // perform our export exportLanguage.Export( diff --git a/src/Microsoft.Health.Fhir.SpecManager/Manager/ExporterOptions.cs b/src/Microsoft.Health.Fhir.SpecManager/Manager/ExporterOptions.cs index 39b8c0c9e..2d45e0e9b 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Manager/ExporterOptions.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Manager/ExporterOptions.cs @@ -27,8 +27,9 @@ public class ExporterOptions /// Manually supported element paths that should have /// extensions. /// Options for controlling the language. - /// FHIR Server URL to pull a CapabilityStatement (or + /// FHIR Server URL to pull a CapabilityStatement (or /// Conformance) from. Requires application/fhir+json. + /// Information describing the server (if specified). public ExporterOptions( string languageName, IEnumerable exportList, @@ -37,7 +38,8 @@ public ExporterOptions( IEnumerable extensionUrls, IEnumerable extensionElementPaths, Dictionary languageOptions, - string fhirServerUrl) + string fhirServerUrl, + FhirServerInfo serverInfo) { LanguageName = languageName; ExportList = exportList; @@ -70,7 +72,8 @@ public ExporterOptions( } _languageOptions = languageOptions; - FhirServerUrl = fhirServerUrl; + ServerUrl = fhirServerUrl; + ServerInfo = serverInfo; } /// Values that represent FHIR export class types. @@ -157,7 +160,10 @@ public enum ExtensionSupportLevel /// Gets options for controlling the language. public Dictionary LanguageOptions => _languageOptions; - /// Gets URL of the FHIR server. - public string FhirServerUrl { get; } + /// Gets URL of the FHIR server (if specified). + public string ServerUrl { get; } + + /// Gets information about a FHIR server (if specified). + public FhirServerInfo ServerInfo { get; } } } diff --git a/src/Microsoft.Health.Fhir.SpecManager/Manager/FhirVersionInfo.cs b/src/Microsoft.Health.Fhir.SpecManager/Manager/FhirVersionInfo.cs index c71c64949..4e911cfc3 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Manager/FhirVersionInfo.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Manager/FhirVersionInfo.cs @@ -804,6 +804,7 @@ private void AddToExportSet(string name, ref HashSet set) /// (Optional) True to copy extensions. /// (Optional) The extension urls. /// (Optional) The extension paths. + /// (Optional) Information describing the server. /// A FhirVersionInfo. internal FhirVersionInfo CopyForExport( Dictionary primitiveTypeMap, @@ -813,7 +814,8 @@ internal FhirVersionInfo CopyForExport( bool copyResources = true, bool copyExtensions = true, HashSet extensionUrls = null, - HashSet extensionElementPaths = null) + HashSet extensionElementPaths = null, + FhirServerInfo serverInfo = null) { // create our return object FhirVersionInfo info = new FhirVersionInfo(MajorVersion) @@ -830,6 +832,8 @@ internal FhirVersionInfo CopyForExport( }; bool restrictOutput = false; + bool restrictResources = false; + HashSet exportSet = new HashSet(); // figure out all the the dependencies we need to include based on requests @@ -846,6 +850,21 @@ internal FhirVersionInfo CopyForExport( } } + // only want server restrictions if there is not an explicit one + if ((serverInfo != null) && + (exportSet.Count == 0)) + { + foreach (FhirServerResourceInfo resource in serverInfo.ResourceInteractions.Values) + { + AddToExportSet(resource.ResourceType, ref exportSet); + } + + if (exportSet.Count > 0) + { + restrictResources = true; + } + } + Dictionary> valueSetReferences = new Dictionary>(); // check if we are exporting primitives @@ -901,13 +920,36 @@ internal FhirVersionInfo CopyForExport( continue; } - info._resourcesByName.Add( - kvp.Key, - kvp.Value.DeepCopy( - primitiveTypeMap, - true, - false, - ref valueSetReferences)); + if (restrictResources && (!exportSet.Contains(kvp.Key))) + { + continue; + } + + if ((serverInfo == null) || + (!serverInfo.ResourceInteractions.ContainsKey(kvp.Key))) + { + info._resourcesByName.Add( + kvp.Key, + kvp.Value.DeepCopy( + primitiveTypeMap, + true, + false, + ref valueSetReferences)); + } + else + { + info._resourcesByName.Add( + kvp.Key, + kvp.Value.DeepCopy( + primitiveTypeMap, + true, + false, + ref valueSetReferences, + serverInfo.ResourceInteractions[kvp.Key].SearchParameters, + serverInfo.ServerSearchParameters, + serverInfo.ResourceInteractions[kvp.Key].Operations, + serverInfo.ServerOperations)); + } } } @@ -954,14 +996,64 @@ internal FhirVersionInfo CopyForExport( } } - foreach (KeyValuePair kvp in _systemOperations) + if (serverInfo == null) { - info._systemOperations.Add(kvp.Key, (FhirOperation)kvp.Value.Clone()); + foreach (KeyValuePair kvp in _systemOperations) + { + info._systemOperations.Add(kvp.Key, (FhirOperation)kvp.Value.Clone()); + } + } + else + { + foreach (KeyValuePair kvp in _systemOperations) + { + if (serverInfo.ServerOperations.ContainsKey(kvp.Value.Code)) + { + info._systemOperations.Add(kvp.Key, (FhirOperation)kvp.Value.Clone()); + } + } + + foreach (KeyValuePair kvp in serverInfo.ServerOperations) + { + if (info._systemOperations.ContainsKey(kvp.Key)) + { + continue; + } + + info._systemOperations.Add( + kvp.Key, + new FhirOperation( + kvp.Key, + new Uri(kvp.Value.DefinitionCanonical), + string.Empty, + kvp.Value.Name, + kvp.Value.Documentation, + true, + false, + false, + kvp.Value.Name, + kvp.Value.Documentation, + null, + new List())); + } } - foreach (KeyValuePair kvp in _globalSearchParameters) + if (serverInfo == null) { - info._globalSearchParameters.Add(kvp.Key, (FhirSearchParam)kvp.Value.Clone()); + foreach (KeyValuePair kvp in _globalSearchParameters) + { + info._globalSearchParameters.Add(kvp.Key, (FhirSearchParam)kvp.Value.Clone()); + } + } + else + { + foreach (KeyValuePair kvp in _globalSearchParameters) + { + if (serverInfo.ServerSearchParameters.ContainsKey(kvp.Value.Code)) + { + info._globalSearchParameters.Add(kvp.Key, (FhirSearchParam)kvp.Value.Clone()); + } + } } foreach (KeyValuePair kvp in _searchResultParameters) diff --git a/src/Microsoft.Health.Fhir.SpecManager/Models/FhirComplex.cs b/src/Microsoft.Health.Fhir.SpecManager/Models/FhirComplex.cs index b32dd9aa0..70a422737 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Models/FhirComplex.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Models/FhirComplex.cs @@ -506,16 +506,25 @@ private static string DotForComponents( } /// Deep copy - cannot use Clone because of needed parameters. - /// The primitive type map. - /// True to copy slicing. - /// True if can hide parent fields, false if not. - /// [in,out] Value Set URLs and lists of FHIR paths that reference them. + /// The primitive type map. + /// True to copy slicing. + /// True if can hide parent fields, false if not. + /// [in,out] Value Set URLs and lists of FHIR paths that + /// reference them. + /// (Optional) Options for controlling the supported search. + /// (Optional) Options for controlling the server search. + /// (Optional) The supported operations. + /// (Optional) The server operations. /// A FhirComplex. public FhirComplex DeepCopy( Dictionary primitiveTypeMap, bool copySlicing, bool canHideParentFields, - ref Dictionary> valueSetReferences) + ref Dictionary> valueSetReferences, + Dictionary supportedSearchParams = null, + Dictionary serverSearchParams = null, + Dictionary supportedOperations = null, + Dictionary serverOperations = null) { List contextElements = null; @@ -582,25 +591,100 @@ public FhirComplex DeepCopy( { complex.Components.Add( kvp.Key, - kvp.Value.DeepCopy(primitiveTypeMap, copySlicing, canHideParentFields, ref valueSetReferences)); + kvp.Value.DeepCopy( + primitiveTypeMap, + copySlicing, + canHideParentFields, + ref valueSetReferences)); } // search - foreach (KeyValuePair kvp in _searchParameters) + if (supportedSearchParams == null) + { + foreach (KeyValuePair kvp in _searchParameters) + { + complex.SearchParameters.Add(kvp.Key, (FhirSearchParam)kvp.Value.Clone()); + } + } + else if (serverSearchParams == null) + { + foreach (KeyValuePair kvp in _searchParameters) + { + if (!supportedSearchParams.ContainsKey(kvp.Key)) + { + continue; + } + + complex.SearchParameters.Add(kvp.Key, (FhirSearchParam)kvp.Value.Clone()); + } + } + else { - complex.SearchParameters.Add(kvp.Key, (FhirSearchParam)kvp.Value.Clone()); + foreach (KeyValuePair kvp in _searchParameters) + { + if ((!supportedSearchParams.ContainsKey(kvp.Key)) && + (!serverSearchParams.ContainsKey(kvp.Key))) + { + continue; + } + + complex.SearchParameters.Add(kvp.Key, (FhirSearchParam)kvp.Value.Clone()); + } } // type operations - foreach (KeyValuePair kvp in _typeOperations) + if (supportedOperations == null) { - complex.TypeOperations.Add(kvp.Key, (FhirOperation)kvp.Value.Clone()); + foreach (KeyValuePair kvp in _typeOperations) + { + complex.TypeOperations.Add(kvp.Key, (FhirOperation)kvp.Value.Clone()); + } + } + else + { + foreach (KeyValuePair kvp in _typeOperations) + { + if (!supportedOperations.ContainsKey(kvp.Key)) + { + continue; + } + + complex.TypeOperations.Add(kvp.Key, (FhirOperation)kvp.Value.Clone()); + } } // instance operations - foreach (KeyValuePair kvp in _instanceOperations) + if (supportedOperations == null) { - complex.InstanceOperations.Add(kvp.Key, (FhirOperation)kvp.Value.Clone()); + foreach (KeyValuePair kvp in _instanceOperations) + { + complex.InstanceOperations.Add(kvp.Key, (FhirOperation)kvp.Value.Clone()); + } + } + else if (serverOperations == null) + { + foreach (KeyValuePair kvp in _instanceOperations) + { + if (!supportedOperations.ContainsKey(kvp.Key)) + { + continue; + } + + complex.InstanceOperations.Add(kvp.Key, (FhirOperation)kvp.Value.Clone()); + } + } + else + { + foreach (KeyValuePair kvp in _instanceOperations) + { + if ((!supportedOperations.ContainsKey(kvp.Key)) && + (!serverOperations.ContainsKey(kvp.Key))) + { + continue; + } + + complex.InstanceOperations.Add(kvp.Key, (FhirOperation)kvp.Value.Clone()); + } } if (_constraints != null) diff --git a/src/fhir-codegen-cli/Program.cs b/src/fhir-codegen-cli/Program.cs index 7f0164b36..78ce11e19 100644 --- a/src/fhir-codegen-cli/Program.cs +++ b/src/fhir-codegen-cli/Program.cs @@ -237,7 +237,8 @@ public static void Main( null, null, languageOptsByLang[lang.LanguageName], - fhirServerUrl); + fhirServerUrl, + serverInfo); if (r2 != null) { diff --git a/src/fhir-codegen-cli/Properties/launchSettings.json b/src/fhir-codegen-cli/Properties/launchSettings.json index 8adcdc802..290c9b2c5 100644 --- a/src/fhir-codegen-cli/Properties/launchSettings.json +++ b/src/fhir-codegen-cli/Properties/launchSettings.json @@ -97,17 +97,17 @@ }, "server2": { "commandName": "Project", - "commandLineArgs": "--fhir-server-url http://hapi.fhir.org/baseDstu2/ --output-path ..\\..\\test --fhir-spec-directory ..\\..\\fhirVersions --language Info", + "commandLineArgs": "--fhir-server-url http://hapi.fhir.org/baseDstu2/ --output-path ..\\..\\temp --fhir-spec-directory ..\\..\\fhirVersions --language Info", "workingDirectory": "$(MSBuildProjectDirectory)" }, "server3": { "commandName": "Project", - "commandLineArgs": "--fhir-server-url http://hapi.fhir.org/baseStu3/ --output-path ..\\..\\test --fhir-spec-directory ..\\..\\fhirVersions --language Info", + "commandLineArgs": "--fhir-server-url http://hapi.fhir.org/baseStu3/ --output-path ..\\..\\temp --fhir-spec-directory ..\\..\\fhirVersions --language Info", "workingDirectory": "$(MSBuildProjectDirectory)" }, "server4": { "commandName": "Project", - "commandLineArgs": "--fhir-server-url http://hapi.fhir.org/baseR4/ --output-path ..\\..\\test --fhir-spec-directory ..\\..\\fhirVersions --language Info", + "commandLineArgs": "--fhir-server-url http://hapi.fhir.org/baseR4/ --output-path ..\\..\\temp --fhir-spec-directory ..\\..\\fhirVersions --language Info", "workingDirectory": "$(MSBuildProjectDirectory)" } } From 462fa2d687554d6b127fc08f49d8b8f1f7a9d6b5 Mon Sep 17 00:00:00 2001 From: Gino Canessa Date: Fri, 24 Jul 2020 15:53:02 -0500 Subject: [PATCH 04/13] Basic interactions passing IBM OpenAPI validator. --- THIRDPARTYNOTICES.md | 52 ++ .../Language/CSharpBasic.cs | 4 +- .../Language/OpenApi.cs | 739 ++++++++++++++++++ .../Microsoft.Health.Fhir.SpecManager.csproj | 1 + .../Properties/launchSettings.json | 7 +- 5 files changed, 800 insertions(+), 3 deletions(-) create mode 100644 src/Microsoft.Health.Fhir.SpecManager/Language/OpenApi.cs diff --git a/THIRDPARTYNOTICES.md b/THIRDPARTYNOTICES.md index 90750cbdb..6e4e0d4d3 100644 --- a/THIRDPARTYNOTICES.md +++ b/THIRDPARTYNOTICES.md @@ -21,6 +21,58 @@ This file is based on or incorporates material from the projects listed below (T >THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. +## Handlebars.Net +* Component Source: https://github.com/rexm/Handlebars.Net +* Component Copyright and License: +>The MIT License (MIT) +> +>Copyright (c) 2014 Rex Morgan +> +>Permission is hereby granted, free of charge, to any person obtaining a copy +>of this software and associated documentation files (the "Software"), to deal +>in the Software without restriction, including without limitation the rights +>to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +>copies of the Software, and to permit persons to whom the Software is +>furnished to do so, subject to the following conditions: +> +>The above copyright notice and this permission notice shall be included in all +>copies or substantial portions of the Software. +> +>THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +>IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +>FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +>AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +>LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +>OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE +>SOFTWARE. + + +## Microsoft.OpenApi +* Component Source: https://github.com/Microsoft/OpenAPI.NET +* Component Copyright and License: +>Copyright (c) Microsoft Corporation. All rights reserved. +> +>MIT License +> +>Permission is hereby granted, free of charge, to any person obtaining a copy +>of this software and associated documentation files (the "Software"), to deal +>in the Software without restriction, including without limitation the rights +>to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +>copies of the Software, and to permit persons to whom the Software is +>furnished to do so, subject to the following conditions: +> +>The above copyright notice and this permission notice shall be included in all +>copies or substantial portions of the Software. +> +>THE SOFTWARE IS PROVIDED *AS IS*, WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +>IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +>FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +>AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +>LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +>OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE +>SOFTWARE. + + ## Newtonsoft.Json * Component Source: https://github.com/JamesNK/Newtonsoft.Json * Component Copyright and License: diff --git a/src/Microsoft.Health.Fhir.SpecManager/Language/CSharpBasic.cs b/src/Microsoft.Health.Fhir.SpecManager/Language/CSharpBasic.cs index 06f3bc7c9..eb5a4edce 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Language/CSharpBasic.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Language/CSharpBasic.cs @@ -12,7 +12,7 @@ namespace Microsoft.Health.Fhir.SpecManager.Language { - /// A language C# prototype. + /// A basic C# language - useful for testing, simple projects, and prototypes. public sealed class CSharpBasic : ILanguage { /// The systems named by display. @@ -76,7 +76,7 @@ public sealed class CSharpBasic : ILanguage /// The namespace, default to 'fhir'. private string _namespace = "fhir"; - /// List of types of the exported resource names ands. + /// List of types of the exported resource names and types. private Dictionary _exportedResourceNamesAndTypes = new Dictionary(); /// The exported codes. diff --git a/src/Microsoft.Health.Fhir.SpecManager/Language/OpenApi.cs b/src/Microsoft.Health.Fhir.SpecManager/Language/OpenApi.cs new file mode 100644 index 000000000..a8ace26b0 --- /dev/null +++ b/src/Microsoft.Health.Fhir.SpecManager/Language/OpenApi.cs @@ -0,0 +1,739 @@ +// +// Copyright (c) Microsoft Corporation. All rights reserved. +// Licensed under the MIT License (MIT). See LICENSE in the repo root for license information. +// +using System; +using System.Collections.Generic; +using System.IO; +using System.Linq; +using System.Security.Cryptography; +using System.Text; +using Microsoft.Health.Fhir.SpecManager.Manager; +using Microsoft.Health.Fhir.SpecManager.Models; +using Microsoft.OpenApi; +using Microsoft.OpenApi.Extensions; +using Microsoft.OpenApi.Models; +using Microsoft.OpenApi.Writers; + +namespace Microsoft.Health.Fhir.SpecManager.Language +{ + /// An OpenApi language exporter. + public sealed class OpenApi : ILanguage + { + /// FHIR information we are exporting. + private FhirVersionInfo _info; + + /// Options for controlling the export. + private ExporterOptions _options; + + /// True to export enums. + private bool _exportEnums; + + /// List of types of the exported resource names and types. + private Dictionary _exportedResourceNamesAndTypes = new Dictionary(); + + /// The exported codes. + private HashSet _exportedCodes = new HashSet(); + + /// Name of the language. + private const string _languageName = "OpenApi"; + + /// The single file export extension. + private const string _singleFileExportExtension = ".json"; + + /// Options for controlling the operation. + private Dictionary _parameters = new Dictionary(); + + /// True to explicit FHIR JSON. + private bool _explicitFhirJson = false; + + /// True to explicit FHIR XML. + private bool _explicitFhirXml = false; + + /// True to single response code. + private bool _singleResponseCode = false; + + /// True to include, false to exclude the summaries. + private bool _includeSummaries = true; + + /// Dictionary mapping FHIR primitive types to language equivalents. + private static readonly Dictionary _primitiveTypeMap = new Dictionary() + { + // { "base", "Object" }, + { "base64Binary", "string:byte" }, + // { "boolean", "boolean" }, + { "canonical", "string" }, + { "code", "string" }, + { "date", "string" }, + { "dateTime", "string" }, // Cannot use "date" because of Partial Dates... may want to consider defining a new type, but not today + { "decimal", "number:double" }, + { "id", "string" }, + { "instant", "string" }, + { "integer", "integer:int32" }, + { "integer64", "integer:int64" }, + { "markdown", "string" }, + { "oid", "string" }, + { "positiveInt", "integer:int32" }, + { "string", "string" }, + { "time", "string" }, + { "unsignedInt", "integer:int32" }, + { "uri", "string" }, + { "url", "string" }, + { "uuid", "string" }, + { "xhtml", "string" }, + }; + + /// Gets the reserved words. + /// The reserved words. + private static readonly HashSet _reservedWords = new HashSet(); + + /// Gets the name of the language. + /// The name of the language. + string ILanguage.LanguageName => _languageName; + + /// + /// Gets the single file extension for this language - null or empty indicates a multi-file + /// export (exporter should copy the contents of the directory). + /// + string ILanguage.SingleFileExportExtension => _singleFileExportExtension; + + /// Gets the FHIR primitive type map. + /// The FHIR primitive type map. + Dictionary ILanguage.FhirPrimitiveTypeMap => _primitiveTypeMap; + + /// Gets the reserved words. + /// The reserved words. + HashSet ILanguage.ReservedWords => _reservedWords; + + /// + /// Gets a list of FHIR class types that the language WILL export, regardless of user choices. + /// Used to provide information to users. + /// + List ILanguage.RequiredExportClassTypes => new List() + { + }; + + /// + /// Gets a list of FHIR class types that the language CAN export, depending on user choices. + /// + List ILanguage.OptionalExportClassTypes => new List() + { + ExporterOptions.FhirExportClassType.ComplexType, + ExporterOptions.FhirExportClassType.Resource, + ExporterOptions.FhirExportClassType.Interaction, + }; + + /// Gets language-specific options and their descriptions. + Dictionary ILanguage.LanguageOptions => new Dictionary() + { + { "Title", "Title to use in the Info section." }, + { "OpenApiVersion", "Open API version to use (2, 3)." }, + { "ExplicitFhirJson", "If paths should explicitly support FHIR+JSON (true|false)." }, + { "ExplicitFhirXml", "If paths should explicitly support FHIR+XML (true|false)." }, + { "Responses", "Response inclusion style (single|multiple)." }, + { "Summaries", "If responses should include summaries (true|false)." }, + }; + + /// Export the passed FHIR version into the specified directory. + /// The information. + /// Options for controlling the operation. + /// Directory to write files. + void ILanguage.Export( + FhirVersionInfo info, + ExporterOptions options, + string exportDirectory) + { + // set internal vars so we don't pass them to every function + // this is ugly, but the interface patterns get bad quickly because we need the type map to copy the FHIR info + _info = info; + _options = options; + + if (options.OptionalClassTypesToExport.Contains(ExporterOptions.FhirExportClassType.Enum)) + { + _exportEnums = true; + } + else + { + _exportEnums = false; + } + + if (_options.LanguageOptions != null) + { + foreach (KeyValuePair kvp in _options.LanguageOptions) + { + _parameters.Add(kvp.Key.ToUpperInvariant(), kvp.Value); + } + } + + _exportedResourceNamesAndTypes = new Dictionary(); + _exportedCodes = new HashSet(); + + int openApiVersion = 3; + + if (_parameters.ContainsKey("OPENAPIVERSION")) + { + if ((_parameters["OPENAPIVERSION"] == "2") || + (_parameters["OPENAPIVERSION"] == "2.0")) + { + openApiVersion = 2; + } + } + + if (_parameters.ContainsKey("EXPLICITFHIRJSON") && + (!string.IsNullOrEmpty(_parameters["EXPLICITFHIRJSON"])) && + _parameters["EXPLICITFHIRJSON"].StartsWith("T", StringComparison.OrdinalIgnoreCase)) + { + _explicitFhirJson = true; + } + + if (_parameters.ContainsKey("EXPLICITFHIRXML") && + (!string.IsNullOrEmpty(_parameters["EXPLICITFHIRXML"])) && + _parameters["EXPLICITFHIRXML"].StartsWith("T", StringComparison.OrdinalIgnoreCase)) + { + _explicitFhirXml = true; + } + + if (_parameters.ContainsKey("RESPONSES") && + (!string.IsNullOrEmpty(_parameters["RESPONSES"])) && + _parameters["RESPONSES"].StartsWith("S", StringComparison.OrdinalIgnoreCase)) + { + _singleResponseCode = true; + } + + if (_parameters.ContainsKey("SUMMARIES") && + (!string.IsNullOrEmpty(_parameters["SUMMARIES"])) && + _parameters["SUMMARIES"].StartsWith("F", StringComparison.OrdinalIgnoreCase)) + { + _includeSummaries = false; + } + + OpenApiDocument document = new OpenApiDocument(); + + document.Info = BuildInfo(); + + document.Components = new OpenApiComponents(); + + document.Components.Parameters = new Dictionary() + { + ["id"] = BuildPathIdParameter(), + }; + + if (!string.IsNullOrEmpty(_options.ServerUrl)) + { + document.Servers = BuildServers(); + + document.Paths = BuildPathsForServer(); + } + + // create a filename for writing (single file for now) + string filename = Path.Combine(exportDirectory, $"OpenApi_R{info.MajorVersion}_v{openApiVersion}.json"); + + using (FileStream stream = new FileStream(filename, FileMode.Create)) + using (StreamWriter sw = new StreamWriter(stream)) + { + OpenApiJsonWriter writer = new OpenApiJsonWriter(sw); + + if (openApiVersion == 2) + { + document.Serialize(writer, OpenApiSpecVersion.OpenApi2_0); + } + else + { + document.Serialize(writer, OpenApiSpecVersion.OpenApi3_0); + } + } + } + + /// Builds the OpenAPI paths object based on a known server. + /// The OpenApiPaths. + private OpenApiPaths BuildPathsForServer() + { + if (_options.ServerInfo == null) + { + return null; + } + + OpenApiPaths paths = new OpenApiPaths(); + + foreach (FhirServerResourceInfo resource in _options.ServerInfo.ResourceInteractions.Values) + { + OpenApiPathItem typePath = new OpenApiPathItem() + { + Operations = new Dictionary(), + }; + + OpenApiPathItem instancePath = new OpenApiPathItem() + { + Operations = new Dictionary(), + }; + + foreach (FhirServerResourceInfo.FhirInteraction interaction in resource.Interactions) + { + switch (interaction) + { + case FhirServerResourceInfo.FhirInteraction.Read: + case FhirServerResourceInfo.FhirInteraction.VRead: + case FhirServerResourceInfo.FhirInteraction.HistoryInstance: + + if (!instancePath.Operations.ContainsKey(OperationType.Get)) + { + instancePath.Operations.Add( + OperationType.Get, + BuildPathOperation(OperationType.Get, resource.ResourceType, true)); + } + + break; + + case FhirServerResourceInfo.FhirInteraction.HistoryType: + + if (!typePath.Operations.ContainsKey(OperationType.Get)) + { + typePath.Operations.Add( + OperationType.Get, + BuildPathOperation(OperationType.Get, resource.ResourceType, false)); + } + + break; + + case FhirServerResourceInfo.FhirInteraction.Patch: + case FhirServerResourceInfo.FhirInteraction.Update: + + if (!instancePath.Operations.ContainsKey(OperationType.Put)) + { + instancePath.Operations.Add( + OperationType.Put, + BuildPathOperation(OperationType.Put, resource.ResourceType, true)); + } + + break; + + case FhirServerResourceInfo.FhirInteraction.Create: + + if (!typePath.Operations.ContainsKey(OperationType.Put)) + { + typePath.Operations.Add( + OperationType.Put, + BuildPathOperation(OperationType.Put, resource.ResourceType, false)); + } + + break; + + case FhirServerResourceInfo.FhirInteraction.Delete: + + if (!instancePath.Operations.ContainsKey(OperationType.Delete)) + { + instancePath.Operations.Add( + OperationType.Delete, + BuildPathOperation(OperationType.Delete, resource.ResourceType, true)); + } + + break; + + case FhirServerResourceInfo.FhirInteraction.SearchType: + + if (!typePath.Operations.ContainsKey(OperationType.Get)) + { + typePath.Operations.Add( + OperationType.Get, + BuildPathOperation(OperationType.Get, resource.ResourceType, false)); + } + + break; + } + } + + if (typePath.Operations.Count > 0) + { + paths.Add($"/{resource.ResourceType}", typePath); + } + + if (instancePath.Operations.Count > 0) + { + instancePath.Parameters.Add(BuildReferencedPathIdParameter()); + + paths.Add($"/{resource.ResourceType}/{{id}}", instancePath); + } + } + + return paths; + } + + /// Builds path identifier parameter. + /// An OpenApiParameter. + private static OpenApiParameter BuildReferencedPathIdParameter() + { + return new OpenApiParameter() + { + Reference = new OpenApiReference() + { + Id = "id", + Type = ReferenceType.Parameter, + }, + }; + } + + /// Builds path identifier parameter. + /// An OpenApiParameter. + private static OpenApiParameter BuildPathIdParameter() + { + return new OpenApiParameter() + { + Name = "id", + In = ParameterLocation.Path, + Description = "Resource ID", + Required = true, + Schema = new OpenApiSchema() + { + Type = "string", + }, + }; + } + + /// Builds response content. + /// A Dictionary of MIME Types and matching ApiOpenMeidaTypes. + private Dictionary BuildResponseContent() + { + Dictionary mediaTypes = new Dictionary(); + + if (_explicitFhirJson) + { + mediaTypes.Add( + "application/fhir+json", + new OpenApiMediaType()); + } + + if (_explicitFhirXml) + { + mediaTypes.Add( + "application/fhir+xml", + new OpenApiMediaType()); + } + + return mediaTypes; + } + + /// Builds path operation for a resource. + /// Type of the path operation. + /// An OpenApiOperation. + private OpenApiOperation BuildPathOperation( + OperationType pathOpType, + string resourceName, + bool isInstanceLevel) + { + OpenApiOperation operation = new OpenApiOperation(); + + if (isInstanceLevel) + { + operation.OperationId = $"{pathOpType}{resourceName}I"; + } + else + { + operation.OperationId = $"{pathOpType}{resourceName}"; + } + + if (_includeSummaries) + { + if (isInstanceLevel) + { + operation.Summary = $"Performs a {pathOpType} on a specific {resourceName}"; + } + else + { + operation.Summary = $"Performs a {pathOpType} operation at the {resourceName} type level."; + } + } + + switch (pathOpType) + { + case OperationType.Get: + if (isInstanceLevel) + { + operation.OperationId = $"get{resourceName}"; + } + else + { + operation.OperationId = $"list{resourceName}s"; + } + + if (_singleResponseCode) + { + operation.Responses = new OpenApiResponses() + { + ["200"] = new OpenApiResponse() + { + Description = "OK", + Content = BuildResponseContent(), + }, + }; + } + else + { + operation.Responses = new OpenApiResponses() + { + ["200"] = new OpenApiResponse() + { + Description = "OK", + Content = BuildResponseContent(), + }, + ["410"] = new OpenApiResponse() + { + Description = "DELETED", + }, + ["404"] = new OpenApiResponse() + { + Description = "NOT FOUND", + }, + }; + } + + break; + + case OperationType.Patch: + case OperationType.Put: + if (isInstanceLevel) + { + operation.OperationId = $"replace{resourceName}"; + } + else + { + operation.OperationId = $"replace{resourceName}s"; + } + + if (_singleResponseCode) + { + operation.Responses = new OpenApiResponses() + { + ["200"] = new OpenApiResponse() + { + Description = "OK", + Content = BuildResponseContent(), + }, + }; + } + else + { + operation.Responses = new OpenApiResponses() + { + ["200"] = new OpenApiResponse() + { + Description = "OK", + Content = BuildResponseContent(), + }, + ["201"] = new OpenApiResponse() + { + Description = "CREATED", + Content = BuildResponseContent(), + }, + ["400"] = new OpenApiResponse() + { + Description = "BAD REQUEST", + }, + ["401"] = new OpenApiResponse() + { + Description = "NOT AUTHORIZED", + }, + ["404"] = new OpenApiResponse() + { + Description = "NOT FOUND", + }, + ["405"] = new OpenApiResponse() + { + Description = "METHOD NOT ALLOWED", + }, + ["409"] = new OpenApiResponse() + { + Description = "CONFLICT", + }, + ["412"] = new OpenApiResponse() + { + Description = "CONFLICT", + }, + ["422"] = new OpenApiResponse() + { + Description = "UNPROCESSABLE", + }, + }; + } + + break; + + case OperationType.Post: + if (isInstanceLevel) + { + operation.OperationId = $"create{resourceName}"; + } + else + { + operation.OperationId = $"create{resourceName}s"; + } + + if (_singleResponseCode) + { + operation.Responses = new OpenApiResponses() + { + ["200"] = new OpenApiResponse() + { + Description = "OK", + Content = BuildResponseContent(), + }, + }; + } + else + { + operation.Responses = new OpenApiResponses() + { + ["200"] = new OpenApiResponse() + { + Description = "OK", + Content = BuildResponseContent(), + }, + ["201"] = new OpenApiResponse() + { + Description = "CREATED", + Content = BuildResponseContent(), + }, + ["400"] = new OpenApiResponse() + { + Description = "BAD REQUEST", + }, + ["401"] = new OpenApiResponse() + { + Description = "NOT AUTHORIZED", + }, + ["404"] = new OpenApiResponse() + { + Description = "NOT FOUND", + }, + ["412"] = new OpenApiResponse() + { + Description = "CONFLICT", + }, + ["422"] = new OpenApiResponse() + { + Description = "UNPROCESSABLE", + }, + }; + } + + break; + + case OperationType.Delete: + if (isInstanceLevel) + { + operation.OperationId = $"delete{resourceName}"; + } + else + { + operation.OperationId = $"delete{resourceName}s"; + } + + if (_singleResponseCode) + { + operation.Responses = new OpenApiResponses() + { + ["200"] = new OpenApiResponse() + { + Description = "OK", + Content = BuildResponseContent(), + }, + }; + } + else + { + operation.Responses = new OpenApiResponses() + { + ["200"] = new OpenApiResponse() + { + Description = "OK", + Content = BuildResponseContent(), + }, + ["202"] = new OpenApiResponse() + { + Description = "ACCEPTED", + Content = BuildResponseContent(), + }, + ["204"] = new OpenApiResponse() + { + Description = "NO CONTENT", + }, + }; + } + + break; + + case OperationType.Options: + break; + case OperationType.Head: + break; + case OperationType.Trace: + break; + default: + break; + } + + if ((operation.Responses == null) || + (operation.Responses.Count == 0)) + { + return null; + } + + return operation; + } + + /// Builds the list of known FHIR servers as OpenApi Server objects. + /// A List of OpenApiServers. + private List BuildServers() + { + if (_options.ServerInfo == null) + { + return null; + } + + string description; + + if (!string.IsNullOrEmpty(_options.ServerInfo.ImplementationDescription)) + { + description = _options.ServerInfo.ImplementationDescription; + } + else if (!string.IsNullOrEmpty(_options.ServerInfo.SoftwareName)) + { + description = _options.ServerInfo.SoftwareName; + } + else + { + description = $"FHIR Server Version: {_info.VersionString}"; + } + + return new List() + { + new OpenApiServer() + { + Url = _options.ServerInfo.Url, + Description = description, + }, + }; + } + + /// Builds the OpenApi Info object. + /// An OpenApiInfo. + private OpenApiInfo BuildInfo() + { + string title; + + if (_parameters.ContainsKey("TITLE")) + { + title = _parameters["TITLE"]; + } + else + { + title = $"FHIR {_info.ReleaseName}:{_info.VersionString}"; + } + + return new OpenApiInfo() + { + Version = "1.0.0", + Title = title, + }; + } + } +} diff --git a/src/Microsoft.Health.Fhir.SpecManager/Microsoft.Health.Fhir.SpecManager.csproj b/src/Microsoft.Health.Fhir.SpecManager/Microsoft.Health.Fhir.SpecManager.csproj index 6d102b9bc..b4ea4fa21 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Microsoft.Health.Fhir.SpecManager.csproj +++ b/src/Microsoft.Health.Fhir.SpecManager/Microsoft.Health.Fhir.SpecManager.csproj @@ -20,6 +20,7 @@ all runtime; build; native; contentfiles; analyzers; buildtransitive + diff --git a/src/fhir-codegen-cli/Properties/launchSettings.json b/src/fhir-codegen-cli/Properties/launchSettings.json index 290c9b2c5..8fd3ecbb8 100644 --- a/src/fhir-codegen-cli/Properties/launchSettings.json +++ b/src/fhir-codegen-cli/Properties/launchSettings.json @@ -107,7 +107,12 @@ }, "server4": { "commandName": "Project", - "commandLineArgs": "--fhir-server-url http://hapi.fhir.org/baseR4/ --output-path ..\\..\\temp --fhir-spec-directory ..\\..\\fhirVersions --language Info", + "commandLineArgs": "--fhir-server-url http://hapi.fhir.org/baseR4/ --language-options OpenApi|explicitfhirjson=true|explicitfhirxml=true|Responses=multiple --output-path ..\\..\\temp --fhir-spec-directory ..\\..\\fhirVersions --language OpenApi", + "workingDirectory": "$(MSBuildProjectDirectory)" + }, + "azure4": { + "commandName": "Project", + "commandLineArgs": "--fhir-server-url https://prototype-erp-fhir.azurewebsites.net/ --output-path ..\\..\\temp\\OpenApi_R4_AZ.json --fhir-spec-directory ..\\..\\fhirVersions --language OpenApi", "workingDirectory": "$(MSBuildProjectDirectory)" } } From b172dc35d7b3792d66041c8fb4253a80d7871eba Mon Sep 17 00:00:00 2001 From: Gino Canessa Date: Fri, 24 Jul 2020 17:13:24 -0500 Subject: [PATCH 05/13] Working on OpenApi schemas. --- .../Language/OpenApi.cs | 200 ++++++++++++++++++ .../Properties/launchSettings.json | 5 + 2 files changed, 205 insertions(+) diff --git a/src/Microsoft.Health.Fhir.SpecManager/Language/OpenApi.cs b/src/Microsoft.Health.Fhir.SpecManager/Language/OpenApi.cs index a8ace26b0..efe871d6c 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Language/OpenApi.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Language/OpenApi.cs @@ -8,6 +8,7 @@ using System.Linq; using System.Security.Cryptography; using System.Text; +using System.Threading.Tasks; using Microsoft.Health.Fhir.SpecManager.Manager; using Microsoft.Health.Fhir.SpecManager.Models; using Microsoft.OpenApi; @@ -56,6 +57,9 @@ public sealed class OpenApi : ILanguage /// True to include, false to exclude the summaries. private bool _includeSummaries = true; + /// True to include, false to exclude the schemas. + private bool _includeSchemas = true; + /// Dictionary mapping FHIR primitive types to language equivalents. private static readonly Dictionary _primitiveTypeMap = new Dictionary() { @@ -132,6 +136,7 @@ public sealed class OpenApi : ILanguage { "ExplicitFhirXml", "If paths should explicitly support FHIR+XML (true|false)." }, { "Responses", "Response inclusion style (single|multiple)." }, { "Summaries", "If responses should include summaries (true|false)." }, + { "Schemas", "If schemas should be included (true|false)" }, }; /// Export the passed FHIR version into the specified directory. @@ -207,6 +212,13 @@ void ILanguage.Export( _includeSummaries = false; } + if (_parameters.ContainsKey("SCHEMAS") && + (!string.IsNullOrEmpty(_parameters["SCHEMAS"])) && + _parameters["SCHEMAS"].StartsWith("F", StringComparison.OrdinalIgnoreCase)) + { + _includeSchemas = false; + } + OpenApiDocument document = new OpenApiDocument(); document.Info = BuildInfo(); @@ -218,6 +230,11 @@ void ILanguage.Export( ["id"] = BuildPathIdParameter(), }; + if (_includeSchemas) + { + document.Components.Schemas = BuildSchemas(); + } + if (!string.IsNullOrEmpty(_options.ServerUrl)) { document.Servers = BuildServers(); @@ -244,6 +261,189 @@ void ILanguage.Export( } } + /// Builds the schemas. + /// A Dictionary<string,OpenApiSchema> + private Dictionary BuildSchemas() + { + Dictionary schemas = new Dictionary(); + + foreach (FhirComplex complex in _info.ComplexTypes.Values.OrderBy(c => c.Name)) + { + schemas.Add(complex.Name, BuildSchema(complex)); + } + + foreach (FhirComplex complex in _info.Resources.Values.OrderBy(c => c.Name)) + { + schemas.Add(complex.Name, BuildSchema(complex)); + } + + return schemas; + } + + /// Builds a schema. + /// The complex. + /// An OpenApiSchema. + private OpenApiSchema BuildSchema( + FhirComplex complex, + FhirComplex root = null) + { + OpenApiSchema schema = new OpenApiSchema() + { + Type = "object", + Properties = new Dictionary(), + }; + + if (root == null) + { + root = complex; + } + + if (complex.Elements != null) + { + foreach (FhirElement element in complex.Elements.Values.OrderBy(e => e.Name)) + { + if (complex.Components.ContainsKey(element.Path)) + { + schema.Properties.Add( + GetElementName(element), // GetComponentName(component), + BuildSchema(complex.Components[element.Path], root)); + } + else + { + schema.Properties.Add( + GetElementName(element), + BuildElementSchema(element)); + } + } + } + + return schema; + } + + /// Builds element schema. + /// The element. + /// An OpenApiSchema. + private OpenApiSchema BuildElementSchema( + FhirElement element) + { + OpenApiSchema schema = new OpenApiSchema(); + + string type; + + if (!string.IsNullOrEmpty(element.BaseTypeName)) + { + type = element.BaseTypeName; + } + else if (element.ElementTypes.Count == 1) + { + type = element.ElementTypes.First().Value.Name; + } + else + { + type = "Element"; + } + + if (type.Contains('.')) + { + schema.Reference = new OpenApiReference() + { + Id = BuildTypeFromPath(type), + Type = ReferenceType.Schema, + }; + + return schema; + } + + if (_primitiveTypeMap.ContainsKey(type)) + { + type = _primitiveTypeMap[type]; + + if (type.Contains(':')) + { + string[] parts = type.Split(':'); + + schema.Type = parts[0]; + schema.Format = parts[1]; + } + else + { + schema.Type = type; + } + + return schema; + } + + return schema; + } + + /// Builds type from path. + /// Full pathname of the file. + /// A string. + private static string BuildTypeFromPath(string path) + { + StringBuilder sb = new StringBuilder(); + string[] components = path.Split('.'); + + for (int i = 0; i < components.Length; i++) + { + switch (i) + { + case 0: + sb.Append(components[i]); + break; + + case 1: + sb.Append("/properties"); + sb.Append(components[i]); + break; + + default: + sb.Append(components[i]); + break; + } + } + + return sb.ToString(); + } + + /// Gets element name. + /// The element. + /// The element name. + private static string GetElementName(FhirElement element) + { + string name = element.Name.Replace("[x]", string.Empty); + + return FhirUtils.SanitizedToConvention( + name, + FhirTypeBase.NamingConvention.CamelCase); + } + + /// Gets component name. + /// The component. + /// The component name. + private static string GetComponentName(FhirComplex component) + { + string name; + + if (string.IsNullOrEmpty(component.ExplicitName)) + { + name = FhirUtils.ToConvention( + component.Name, + component.Path, + FhirTypeBase.NamingConvention.PascalCase); + } + else + { + name = FhirUtils.SanitizedToConvention( + component.ExplicitName, + FhirTypeBase.NamingConvention.PascalCase); + } + + name += "Component"; + + return name; + } + /// Builds the OpenAPI paths object based on a known server. /// The OpenApiPaths. private OpenApiPaths BuildPathsForServer() diff --git a/src/fhir-codegen-cli/Properties/launchSettings.json b/src/fhir-codegen-cli/Properties/launchSettings.json index 8fd3ecbb8..043651370 100644 --- a/src/fhir-codegen-cli/Properties/launchSettings.json +++ b/src/fhir-codegen-cli/Properties/launchSettings.json @@ -110,6 +110,11 @@ "commandLineArgs": "--fhir-server-url http://hapi.fhir.org/baseR4/ --language-options OpenApi|explicitfhirjson=true|explicitfhirxml=true|Responses=multiple --output-path ..\\..\\temp --fhir-spec-directory ..\\..\\fhirVersions --language OpenApi", "workingDirectory": "$(MSBuildProjectDirectory)" }, + "healthApis": { + "commandName": "Project", + "commandLineArgs": "--fhir-server-url https://fhirsampdev.azurehealthcareapis.com/ --language-options OpenApi|explicitfhirjson=true|Responses=multiple --output-path ..\\..\\temp --fhir-spec-directory ..\\..\\fhirVersions --language OpenApi", + "workingDirectory": "$(MSBuildProjectDirectory)" + }, "azure4": { "commandName": "Project", "commandLineArgs": "--fhir-server-url https://prototype-erp-fhir.azurewebsites.net/ --output-path ..\\..\\temp\\OpenApi_R4_AZ.json --fhir-spec-directory ..\\..\\fhirVersions --language OpenApi", From 14b734b5bf107635456421dfeb707a12f197ebe1 Mon Sep 17 00:00:00 2001 From: Ewout Kramer Date: Mon, 27 Jul 2020 11:42:20 +0200 Subject: [PATCH 06/13] Update cli.md Just a minor spelling mistake --- docfx/articles/cli.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/docfx/articles/cli.md b/docfx/articles/cli.md index 34f4e4859..da0bd42a1 100644 --- a/docfx/articles/cli.md +++ b/docfx/articles/cli.md @@ -30,7 +30,7 @@ Options: -?, -h, --help Show help and usage information. ``` -## Langauge Information +## Language Information * Info From 45b43ac7f2b4380c40750f753f4b491a5a895408 Mon Sep 17 00:00:00 2001 From: Gino Canessa Date: Mon, 27 Jul 2020 09:56:20 -0500 Subject: [PATCH 07/13] Force inclusion of Backbone element if any components exist on a complex data type or resource. --- .../Manager/FhirVersionInfo.cs | 14 ++++++++++++++ 1 file changed, 14 insertions(+) diff --git a/src/Microsoft.Health.Fhir.SpecManager/Manager/FhirVersionInfo.cs b/src/Microsoft.Health.Fhir.SpecManager/Manager/FhirVersionInfo.cs index 4e911cfc3..d71dbf3ad 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Manager/FhirVersionInfo.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Manager/FhirVersionInfo.cs @@ -746,6 +746,13 @@ private void AddToExportSet(string name, ref HashSet set) } } } + + if ((_complexTypesByName[name].Components != null) && + _complexTypesByName.ContainsKey("BackboneElement") && + (!set.Contains("BackboneElement"))) + { + set.Add("BackboneElement") + } } // check for this being a resource @@ -792,6 +799,13 @@ private void AddToExportSet(string name, ref HashSet set) } } } + + if ((_resourcesByName[name].Components != null) && + _complexTypesByName.ContainsKey("BackboneElement") && + (!set.Contains("BackboneElement"))) + { + set.Add("BackboneElement") + } } } From ae372659fdd164de9b24fb05b1da985d22355464 Mon Sep 17 00:00:00 2001 From: Gino Canessa Date: Mon, 27 Jul 2020 10:36:25 -0500 Subject: [PATCH 08/13] Added experimental flag tracking for primitives, complex types, and resources. Renamed Langauge.OpenApi due to naming conflict. --- .../Converters/FromR2.cs | 2 + .../Converters/FromR3.cs | 2 + .../Converters/FromR4.cs | 2 + .../Converters/FromR5.cs | 2 + .../Language/{OpenApi.cs => LangOpenApi.cs} | 4 +- .../Manager/FhirVersionInfo.cs | 4 +- .../Models/FhirCommon.cs | 46 ------------------- .../Models/FhirComplex.cs | 10 ++++ .../Models/FhirElement.cs | 2 + .../Models/FhirPrimitive.cs | 4 ++ .../Models/FhirTypeBase.cs | 12 ++++- 11 files changed, 39 insertions(+), 51 deletions(-) rename src/Microsoft.Health.Fhir.SpecManager/Language/{OpenApi.cs => LangOpenApi.cs} (99%) delete mode 100644 src/Microsoft.Health.Fhir.SpecManager/Models/FhirCommon.cs diff --git a/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR2.cs b/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR2.cs index 679428e1f..44a4a04f9 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR2.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR2.cs @@ -737,6 +737,7 @@ private static void ProcessDataTypePrimitive( baseTypeName, new Uri(sd.Url), sd.Status, + sd.Experimental == true, descriptionShort, definition, comment, @@ -929,6 +930,7 @@ private static void ProcessComplex( string.Empty, new Uri(sd.Url), sd.Status, + sd.Experimental == true, descriptionShort, definition, string.Empty, diff --git a/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR3.cs b/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR3.cs index 61530207f..f5b14a2b3 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR3.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR3.cs @@ -602,6 +602,7 @@ private static void ProcessDataTypePrimitive( baseTypeName, new Uri(sd.Url), sd.Status, + sd.Experimental == true, descriptionShort, definition, comment, @@ -788,6 +789,7 @@ private static void ProcessComplex( string.Empty, new Uri(sd.Url), sd.Status, + sd.Experimental == true, descriptionShort, definition, string.Empty, diff --git a/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR4.cs b/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR4.cs index 8694279f7..b6d69867f 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR4.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR4.cs @@ -608,6 +608,7 @@ private static void ProcessDataTypePrimitive( baseTypeName, new Uri(sd.Url), sd.Status, + sd.Experimental == true, descriptionShort, definition, comment, @@ -781,6 +782,7 @@ private static void ProcessComplex( string.Empty, new Uri(sd.Url), sd.Status, + sd.Experimental == true, descriptionShort, definition, string.Empty, diff --git a/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR5.cs b/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR5.cs index 34193dd91..3422942b9 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR5.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR5.cs @@ -610,6 +610,7 @@ private static void ProcessDataTypePrimitive( baseTypeName, new Uri(sd.Url), sd.Status, + sd.Experimental == true, descriptionShort, definition, comment, @@ -783,6 +784,7 @@ private static void ProcessComplex( string.Empty, new Uri(sd.Url), sd.Status, + sd.Experimental == true, descriptionShort, definition, string.Empty, diff --git a/src/Microsoft.Health.Fhir.SpecManager/Language/OpenApi.cs b/src/Microsoft.Health.Fhir.SpecManager/Language/LangOpenApi.cs similarity index 99% rename from src/Microsoft.Health.Fhir.SpecManager/Language/OpenApi.cs rename to src/Microsoft.Health.Fhir.SpecManager/Language/LangOpenApi.cs index efe871d6c..4b04c2dec 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Language/OpenApi.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Language/LangOpenApi.cs @@ -1,4 +1,4 @@ -// +// // Copyright (c) Microsoft Corporation. All rights reserved. // Licensed under the MIT License (MIT). See LICENSE in the repo root for license information. // @@ -19,7 +19,7 @@ namespace Microsoft.Health.Fhir.SpecManager.Language { /// An OpenApi language exporter. - public sealed class OpenApi : ILanguage + public sealed class LangOpenApi : ILanguage { /// FHIR information we are exporting. private FhirVersionInfo _info; diff --git a/src/Microsoft.Health.Fhir.SpecManager/Manager/FhirVersionInfo.cs b/src/Microsoft.Health.Fhir.SpecManager/Manager/FhirVersionInfo.cs index d71dbf3ad..08f507b6b 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Manager/FhirVersionInfo.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Manager/FhirVersionInfo.cs @@ -751,7 +751,7 @@ private void AddToExportSet(string name, ref HashSet set) _complexTypesByName.ContainsKey("BackboneElement") && (!set.Contains("BackboneElement"))) { - set.Add("BackboneElement") + set.Add("BackboneElement"); } } @@ -804,7 +804,7 @@ private void AddToExportSet(string name, ref HashSet set) _complexTypesByName.ContainsKey("BackboneElement") && (!set.Contains("BackboneElement"))) { - set.Add("BackboneElement") + set.Add("BackboneElement"); } } } diff --git a/src/Microsoft.Health.Fhir.SpecManager/Models/FhirCommon.cs b/src/Microsoft.Health.Fhir.SpecManager/Models/FhirCommon.cs deleted file mode 100644 index 701620187..000000000 --- a/src/Microsoft.Health.Fhir.SpecManager/Models/FhirCommon.cs +++ /dev/null @@ -1,46 +0,0 @@ -// ------------------------------------------------------------------------------------------------- -// -// Copyright (c) Microsoft Corporation. All rights reserved. -// Licensed under the MIT License (MIT). See LICENSE in the repo root for license information. -// -// ------------------------------------------------------------------------------------------------- - -using System; -using System.Collections.Generic; -using System.Text; - -namespace Microsoft.Health.Fhir.SpecManager.Models -{ - /// Common definitions for FHIR Internal properties. - public abstract class FhirCommon - { - /// The standard status deprecated. - public const string StandardStatusDeprecated = "deprecated"; - - /// The standard status draft. - public const string StandardStatusDraft = "draft"; - - /// The standard status external. - public const string StandardStatusExternal = "external"; - - /// The standard status informative. - public const string StandardStatusInformative = "informative"; - - /// The standard status normative. - public const string StandardStatusNormative = "normative"; - - /// The standard status trial use. - public const string StandardStatusTrialUse = "trial-use"; - - /// The standard status codes. - public static readonly string[] StandardStatusCodes = - { - StandardStatusDeprecated, - StandardStatusDraft, - StandardStatusExternal, - StandardStatusInformative, - StandardStatusNormative, - StandardStatusTrialUse, - }; - } -} diff --git a/src/Microsoft.Health.Fhir.SpecManager/Models/FhirComplex.cs b/src/Microsoft.Health.Fhir.SpecManager/Models/FhirComplex.cs index 70a422737..4de937870 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Models/FhirComplex.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Models/FhirComplex.cs @@ -29,6 +29,7 @@ public class FhirComplex : FhirTypeBase /// Explicit name for this complex structure, if provided. /// URL of the resource. /// The standard status. + /// If this complex resource is flagged as experimental. /// Information describing the short. /// The purpose. /// The comment. @@ -39,6 +40,7 @@ public FhirComplex( string explicitName, Uri url, string standardStatus, + bool isExperimental, string shortDescription, string purpose, string comment, @@ -48,6 +50,7 @@ public FhirComplex( path, url, standardStatus, + isExperimental, shortDescription, purpose, comment, @@ -70,6 +73,7 @@ public FhirComplex( /// Explicit name for this complex structure, if provided. /// URL of the resource. /// The standard status. + /// If this complex type is marked experimental. /// Information describing the short. /// The purpose. /// The comment. @@ -82,6 +86,7 @@ public FhirComplex( string explicitName, Uri url, string standardStatus, + bool isExperimental, string shortDescription, string purpose, string comment, @@ -94,6 +99,7 @@ public FhirComplex( explicitName, url, standardStatus, + isExperimental, shortDescription, purpose, comment, @@ -120,6 +126,7 @@ public FhirComplex( string explicitName, Uri url, string standardStatus, + bool isExperimental, string shortDescription, string purpose, string comment, @@ -131,6 +138,7 @@ public FhirComplex( explicitName, url, standardStatus, + isExperimental, shortDescription, purpose, comment, @@ -278,6 +286,7 @@ public bool AddComponentFromElement(string path) property.ExplicitName, property.URL, property.StandardStatus, + property.IsExperimental, property.ShortDescription, property.Purpose, property.Comment, @@ -544,6 +553,7 @@ public FhirComplex DeepCopy( ExplicitName, URL, StandardStatus, + IsExperimental, ShortDescription, Purpose, Comment, diff --git a/src/Microsoft.Health.Fhir.SpecManager/Models/FhirElement.cs b/src/Microsoft.Health.Fhir.SpecManager/Models/FhirElement.cs index 8043688df..07a183b9d 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Models/FhirElement.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Models/FhirElement.cs @@ -74,6 +74,7 @@ public FhirElement( path, url, string.Empty, + false, shortDescription, purpose, comment, @@ -297,6 +298,7 @@ internal bool AddSlice(string url, string sliceName) ExplicitName, URL, StandardStatus, + false, ShortDescription, Purpose, Comment, diff --git a/src/Microsoft.Health.Fhir.SpecManager/Models/FhirPrimitive.cs b/src/Microsoft.Health.Fhir.SpecManager/Models/FhirPrimitive.cs index 70abe373e..32ce2a696 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Models/FhirPrimitive.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Models/FhirPrimitive.cs @@ -20,6 +20,7 @@ public class FhirPrimitive : FhirTypeBase, ICloneable /// The base type name for this primitive type. /// URL of the resource. /// The standard status. + /// If this primitive type is marked experimental. /// Information describing the short. /// The purpose of this definition. /// The comment. @@ -30,6 +31,7 @@ public FhirPrimitive( string baseTypeName, Uri url, string standardStatus, + bool isExperimental, string shortDescription, string purpose, string comment, @@ -39,6 +41,7 @@ public FhirPrimitive( path, url, standardStatus, + isExperimental, shortDescription, purpose, comment, @@ -58,6 +61,7 @@ public object Clone() BaseTypeName, URL, StandardStatus, + IsExperimental, ShortDescription, Purpose, Comment, diff --git a/src/Microsoft.Health.Fhir.SpecManager/Models/FhirTypeBase.cs b/src/Microsoft.Health.Fhir.SpecManager/Models/FhirTypeBase.cs index 433803e92..0e2b7aaf2 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Models/FhirTypeBase.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Models/FhirTypeBase.cs @@ -9,6 +9,7 @@ using System.Collections.Generic; using System.Globalization; using System.Text; +using Microsoft.Health.Fhir.SpecManager.Extensions; namespace Microsoft.Health.Fhir.SpecManager.Models { @@ -28,6 +29,7 @@ public class FhirTypeBase /// The dot-notation path to this element/resource/datatype. /// The URL. /// The standard status. + /// A value indicating whether this object is experimental. /// The description. /// The purpose of this definition. /// The comment. @@ -37,6 +39,7 @@ internal FhirTypeBase( string path, Uri url, string standardStatus, + bool isExperimental, string shortDescription, string purpose, string comment, @@ -52,6 +55,7 @@ internal FhirTypeBase( Id = id; _path = path; StandardStatus = standardStatus; + IsExperimental = isExperimental; ShortDescription = shortDescription; Purpose = purpose; @@ -78,6 +82,7 @@ internal FhirTypeBase( /// The dot-notation path to this element/resource/datatype/extension. /// The URL. /// The standard status. + /// If this object is marked experimental. /// The description. /// The purpose of this definition. /// The comment. @@ -88,6 +93,7 @@ internal FhirTypeBase( string path, Uri url, string standardStatus, + bool isExperimental, string shortDescription, string purpose, string comment, @@ -98,6 +104,7 @@ internal FhirTypeBase( path, url, standardStatus, + isExperimental, shortDescription, purpose, comment, @@ -160,12 +167,15 @@ public enum NamingConvention public Uri URL { get; } /// - /// Gets status of this type in the standards process - use FhirCommon.StandardStatusCodes + /// Gets status of this type in the standards process /// see: http://hl7.org/fhir/valueset-standards-status.html. /// /// The standard status. public string StandardStatus { get; } + /// Gets a value indicating whether this object is experimental. + public bool IsExperimental { get; } + /// Gets or sets the Name of the type this type inherits from (null if none). /// The name of the base type. public string BaseTypeName { get => _baseTypeName; set => _baseTypeName = value; } From 5ce1ec90b922a4833cdd36f17a30e4a7345c75bb Mon Sep 17 00:00:00 2001 From: Gino Canessa Date: Mon, 27 Jul 2020 11:14:36 -0500 Subject: [PATCH 09/13] Added experimental tracking to operations. Added experimental flagging to Info language. Removed experimental filtering when a fhir server is specified. --- generated/Info_R4.txt | 46 ++++++------- .../Converters/FromR2.cs | 3 +- .../Converters/FromR3.cs | 3 +- .../Converters/FromR4.cs | 3 +- .../Converters/FromR5.cs | 3 +- .../Language/Info.cs | 18 ++++-- .../Manager/Exporter.cs | 3 +- .../Manager/ExporterOptions.cs | 9 ++- .../Manager/FhirVersionInfo.cs | 64 +++++++++++++++++-- .../Models/FhirComplex.cs | 30 ++++++++- .../Models/FhirOperation.cs | 15 +++-- src/fhir-codegen-cli/Program.cs | 7 +- .../Properties/launchSettings.json | 2 +- 13 files changed, 159 insertions(+), 47 deletions(-) diff --git a/generated/Info_R4.txt b/generated/Info_R4.txt index 666c959ea..2ce01b196 100644 --- a/generated/Info_R4.txt +++ b/generated/Info_R4.txt @@ -3880,7 +3880,7 @@ Resources: 148 - url[1..1]: string .fixedValueUri = http://hl7.org/fhir/StructureDefinition/valueset-special-status - value[x][1..1]: string - ?author=string (author) + ?author=string (author) (experimental) ?code=token (code) ?content-mode=token (content-mode) ?context=token (context) @@ -3890,11 +3890,11 @@ Resources: 148 ?context-type-value=composite (context-type-value) ?date=date (date) ?description=string (description) - ?effective=date (effective) - ?end=date (end) + ?effective=date (effective) (experimental) + ?end=date (end) (experimental) ?identifier=token (identifier) ?jurisdiction=token (jurisdiction) - ?keyword=string (keyword) + ?keyword=string (keyword) (experimental) ?language=token (language) ?name=string (name) ?publisher=string (publisher) @@ -3904,7 +3904,7 @@ Resources: 148 ?title=string (title) ?url=uri (url) ?version=token (version) - ?workflow=token (workflow) + ?workflow=token (workflow) (experimental) $find-matches in: system (0..1) in: version (0..1) @@ -5317,7 +5317,7 @@ Resources: 148 .fixedValueUri = http://hl7.org/fhir/StructureDefinition/device-implantStatus - value[x][1..1]: code ?device-name=string (device-name) - ?din=token (din) + ?din=token (din) (experimental) ?identifier=token (identifier) ?location=reference (location) ?manufacturer=string (manufacturer) @@ -6035,7 +6035,7 @@ Resources: 148 - url[1..1]: string .fixedValueUri = http://hl7.org/fhir/StructureDefinition/workflow-supportingInfo - value[x][1..1]: Reference(Resource) - ?assessed-condition=reference (assessed-condition) + ?assessed-condition=reference (assessed-condition) (experimental) ?based-on=reference (based-on) ?category=token (category) ?code=token (code) @@ -12064,7 +12064,7 @@ Resources: 148 - url[1..1]: string .fixedValueUri = http://hl7.org/fhir/StructureDefinition/workflow-supportingInfo - value[x][1..1]: Reference(Resource) - ?amino-acid-change=string (amino-acid-change) + ?amino-acid-change=string (amino-acid-change) (experimental) ?based-on=reference (based-on) ?category=token (category) ?code=token (code) @@ -12088,12 +12088,12 @@ Resources: 148 ?date=date (date) ?derived-from=reference (derived-from) ?device=reference (device) - ?dna-variant=string (dna-variant) + ?dna-variant=string (dna-variant) (experimental) ?encounter=reference (encounter) ?focus=reference (focus) - ?gene-amino-acid-change=string (gene-amino-acid-change) - ?gene-dnavariant=string (gene-dnavariant) - ?gene-identifier=token (gene-identifier) + ?gene-amino-acid-change=string (gene-amino-acid-change) (experimental) + ?gene-dnavariant=string (gene-dnavariant) (experimental) + ?gene-identifier=token (gene-identifier) (experimental) ?has-member=reference (has-member) ?identifier=token (identifier) ?method=token (method) @@ -12644,9 +12644,9 @@ Resources: 148 ?address-postalcode=string (address-postalcode) ?address-state=string (address-state) ?address-use=token (address-use) - ?age=number (age) + ?age=number (age) (experimental) ?birthdate=date (birthdate) - ?birthOrderBoolean=token (birthOrderBoolean) + ?birthOrderBoolean=token (birthOrderBoolean) (experimental) ?death-date=date (death-date) ?deceased=token (deceased) ?email=token (email) @@ -12657,10 +12657,10 @@ Resources: 148 ?identifier=token (identifier) ?language=token (language) ?link=reference (link) - ?mothersMaidenName=string (mothersMaidenName) + ?mothersMaidenName=string (mothersMaidenName) (experimental) ?name=string (name) ?organization=reference (organization) - ?part-agree=reference (Example Search Parameter on an extension) + ?part-agree=reference (Example Search Parameter on an extension) (experimental) ?phone=token (phone) ?phonetic=string (phonetic) ?telecom=token (telecom) @@ -14722,7 +14722,7 @@ Resources: 148 ?based-on=reference (based-on) ?encounter=reference (encounter) ?identifier=token (identifier) - ?item-subject=reference (item-subject) + ?item-subject=reference (item-subject) (experimental) ?part-of=reference (part-of) ?patient=reference (patient) ?questionnaire=reference (questionnaire) @@ -17705,7 +17705,7 @@ Resources: 148 - url[1..1]: string .fixedValueUri = http://hl7.org/fhir/StructureDefinition/valueset-workflowStatus - value[x][1..1]: string - ?author=string (author) + ?author=string (author) (experimental) ?code=token (code) ?context=token (context) ?context-quantity=quantity (context-quantity) @@ -17714,12 +17714,12 @@ Resources: 148 ?context-type-value=composite (context-type-value) ?date=date (date) ?description=string (description) - ?effective=date (effective) - ?end=date (end) + ?effective=date (effective) (experimental) + ?end=date (end) (experimental) ?expansion=uri (expansion) ?identifier=token (identifier) ?jurisdiction=token (jurisdiction) - ?keyword=string (keyword) + ?keyword=string (keyword) (experimental) ?name=string (name) ?publisher=string (publisher) ?reference=uri (reference) @@ -17727,7 +17727,7 @@ Resources: 148 ?title=string (title) ?url=uri (url) ?version=token (version) - ?workflow=token (workflow) + ?workflow=token (workflow) (experimental) $expand in: url (0..1) in: valueSet (0..1) @@ -17937,7 +17937,7 @@ All Resource Parameters: 13 ?_content=string (_content) ?_filter=special (FilterSearchParameter) ?_has=string (_has) - ?_id=token (ID-SEARCH-PARAMETER) + ?_id=token (ID-SEARCH-PARAMETER) (experimental) ?_lastUpdated=date (_lastUpdated) ?_list=string (_list) ?_profile=uri (_profile) diff --git a/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR2.cs b/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR2.cs index 44a4a04f9..1e6036623 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR2.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR2.cs @@ -531,7 +531,8 @@ private void ProcessOperation( op.Code, op.Requirements, op.Type, - parameters); + parameters, + op.Experimental == true); // add our parameter fhirVersionInfo.AddOperation(operation); diff --git a/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR3.cs b/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR3.cs index f5b14a2b3..c4e4b1174 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR3.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR3.cs @@ -409,7 +409,8 @@ private void ProcessOperation( op.Code, op.Comment, op.Resource, - parameters); + parameters, + op.Experimental == true); // add our parameter fhirVersionInfo.AddOperation(operation); diff --git a/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR4.cs b/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR4.cs index b6d69867f..15df7eb54 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR4.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR4.cs @@ -414,7 +414,8 @@ private void ProcessOperation( op.Code, op.Comment, op.Resource, - parameters); + parameters, + op.Experimental == true); // add our parameter fhirVersionInfo.AddOperation(operation); diff --git a/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR5.cs b/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR5.cs index 3422942b9..2af95fcbb 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR5.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Converters/FromR5.cs @@ -416,7 +416,8 @@ private void ProcessOperation( op.Code, op.Comment, op.Resource, - parameters); + parameters, + op.Experimental == true); // add our operation fhirVersionInfo.AddOperation(operation); diff --git a/src/Microsoft.Health.Fhir.SpecManager/Language/Info.cs b/src/Microsoft.Health.Fhir.SpecManager/Language/Info.cs index 0762fcd2a..cc644c851 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Language/Info.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Language/Info.cs @@ -4,6 +4,7 @@ // using System; using System.Collections.Generic; +using System.ComponentModel; using System.IO; using System.Linq; using System.Text; @@ -222,10 +223,13 @@ private void WritePrimitiveTypes( private void WritePrimitiveType( FhirPrimitive primitive) { + string experimental = primitive.IsExperimental ? " (experimental)" : string.Empty; + _writer.WriteLineIndented( $"- {primitive.Name}:" + $" {primitive.NameForExport(FhirTypeBase.NamingConvention.CamelCase)}" + - $"::{primitive.TypeForExport(FhirTypeBase.NamingConvention.CamelCase, _primitiveTypeMap)}"); + $"::{primitive.TypeForExport(FhirTypeBase.NamingConvention.CamelCase, _primitiveTypeMap)}" + + $"{experimental}"); _writer.IncreaseIndent(); @@ -280,7 +284,9 @@ private void WriteComplex( // (sub-properties are written with cardinality in the prior loop) if (_writer.Indentation == 0) { - _writer.WriteLine($"- {complex.Name}: {complex.BaseTypeName}"); + string experimental = complex.IsExperimental ? " (experimental)" : string.Empty; + + _writer.WriteLine($"- {complex.Name}: {complex.BaseTypeName}{experimental}"); _writer.IncreaseIndent(); indented = true; } @@ -338,6 +344,8 @@ private void WriteOperations( foreach (FhirOperation operation in operations.OrderBy(o => o.Code)) { + string experimental = operation.IsExperimental ? $" (experimental)" : string.Empty; + if (isTypeLevel) { _writer.WriteLineIndented($"${operation.Code}"); @@ -354,7 +362,7 @@ private void WriteOperations( // write operation parameters inline foreach (FhirParameter parameter in operation.Parameters.OrderBy(p => p.FieldOrder)) { - _writer.WriteLineIndented($"{parameter.Use}: {parameter.Name} ({parameter.FhirCardinality})"); + _writer.WriteLineIndented($"{parameter.Use}: {parameter.Name} ({parameter.FhirCardinality}){experimental}"); } _writer.DecreaseIndent(); @@ -385,7 +393,9 @@ private void WriteSearchParameters( foreach (FhirSearchParam searchParam in searchParameters.OrderBy(s => s.Code)) { - _writer.WriteLineIndented($"?{searchParam.Code}={searchParam.ValueType} ({searchParam.Name})"); + string experimental = searchParam.IsExperimental ? $" (experimental)" : string.Empty; + + _writer.WriteLineIndented($"?{searchParam.Code}={searchParam.ValueType} ({searchParam.Name}){experimental}"); } if (indented) diff --git a/src/Microsoft.Health.Fhir.SpecManager/Manager/Exporter.cs b/src/Microsoft.Health.Fhir.SpecManager/Manager/Exporter.cs index 4cdfe17ec..84bc39a2c 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Manager/Exporter.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Manager/Exporter.cs @@ -109,7 +109,8 @@ public static List Export( true, options.ExtensionUrls, options.ExtensionElementPaths, - options.ServerInfo); + options.ServerInfo, + options.IncludeExperimental); // perform our export exportLanguage.Export( diff --git a/src/Microsoft.Health.Fhir.SpecManager/Manager/ExporterOptions.cs b/src/Microsoft.Health.Fhir.SpecManager/Manager/ExporterOptions.cs index 2d45e0e9b..2d0971109 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Manager/ExporterOptions.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Manager/ExporterOptions.cs @@ -30,6 +30,8 @@ public class ExporterOptions /// FHIR Server URL to pull a CapabilityStatement (or /// Conformance) from. Requires application/fhir+json. /// Information describing the server (if specified). + /// A value indicating whether structures marked experimental + /// should be included. public ExporterOptions( string languageName, IEnumerable exportList, @@ -39,7 +41,8 @@ public ExporterOptions( IEnumerable extensionElementPaths, Dictionary languageOptions, string fhirServerUrl, - FhirServerInfo serverInfo) + FhirServerInfo serverInfo, + bool includeExperimental) { LanguageName = languageName; ExportList = exportList; @@ -74,6 +77,7 @@ public ExporterOptions( _languageOptions = languageOptions; ServerUrl = fhirServerUrl; ServerInfo = serverInfo; + IncludeExperimental = includeExperimental; } /// Values that represent FHIR export class types. @@ -165,5 +169,8 @@ public enum ExtensionSupportLevel /// Gets information about a FHIR server (if specified). public FhirServerInfo ServerInfo { get; } + + /// Gets a value indicating whether structures marked experimental should be included. + public bool IncludeExperimental { get; } } } diff --git a/src/Microsoft.Health.Fhir.SpecManager/Manager/FhirVersionInfo.cs b/src/Microsoft.Health.Fhir.SpecManager/Manager/FhirVersionInfo.cs index 08f507b6b..df14dc9f6 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Manager/FhirVersionInfo.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Manager/FhirVersionInfo.cs @@ -819,6 +819,8 @@ private void AddToExportSet(string name, ref HashSet set) /// (Optional) The extension urls. /// (Optional) The extension paths. /// (Optional) Information describing the server. + /// (Optional) True to include, false to exclude the + /// experimental. /// A FhirVersionInfo. internal FhirVersionInfo CopyForExport( Dictionary primitiveTypeMap, @@ -829,7 +831,8 @@ internal FhirVersionInfo CopyForExport( bool copyExtensions = true, HashSet extensionUrls = null, HashSet extensionElementPaths = null, - FhirServerInfo serverInfo = null) + FhirServerInfo serverInfo = null, + bool includeExperimental = false) { // create our return object FhirVersionInfo info = new FhirVersionInfo(MajorVersion) @@ -892,6 +895,14 @@ internal FhirVersionInfo CopyForExport( continue; } + // check for experimental - unless this is specifically included + if ((!restrictOutput) && + (!includeExperimental) && + kvp.Value.IsExperimental) + { + continue; + } + info._primitiveTypesByName.Add(kvp.Key, (FhirPrimitive)kvp.Value.Clone()); // update type to reflect language @@ -913,13 +924,26 @@ internal FhirVersionInfo CopyForExport( continue; } + // check for experimental - unless this is specifically included + if ((!restrictOutput) && + (!includeExperimental) && + kvp.Value.IsExperimental) + { + continue; + } + info._complexTypesByName.Add( kvp.Key, kvp.Value.DeepCopy( primitiveTypeMap, true, false, - ref valueSetReferences)); + ref valueSetReferences, + null, + null, + null, + null, + includeExperimental)); } } @@ -939,6 +963,14 @@ internal FhirVersionInfo CopyForExport( continue; } + // check for experimental - unless this is specifically included + if (((!restrictOutput) || (!restrictResources)) && + (!includeExperimental) && + kvp.Value.IsExperimental) + { + continue; + } + if ((serverInfo == null) || (!serverInfo.ResourceInteractions.ContainsKey(kvp.Key))) { @@ -948,7 +980,12 @@ internal FhirVersionInfo CopyForExport( primitiveTypeMap, true, false, - ref valueSetReferences)); + ref valueSetReferences, + null, + null, + null, + null, + includeExperimental)); } else { @@ -962,7 +999,8 @@ internal FhirVersionInfo CopyForExport( serverInfo.ResourceInteractions[kvp.Key].SearchParameters, serverInfo.ServerSearchParameters, serverInfo.ResourceInteractions[kvp.Key].Operations, - serverInfo.ServerOperations)); + serverInfo.ServerOperations, + includeExperimental)); } } } @@ -1048,7 +1086,8 @@ internal FhirVersionInfo CopyForExport( kvp.Value.Name, kvp.Value.Documentation, null, - new List())); + new List(), + false)); } } @@ -1056,6 +1095,11 @@ internal FhirVersionInfo CopyForExport( { foreach (KeyValuePair kvp in _globalSearchParameters) { + if ((!includeExperimental) && kvp.Value.IsExperimental) + { + continue; + } + info._globalSearchParameters.Add(kvp.Key, (FhirSearchParam)kvp.Value.Clone()); } } @@ -1072,11 +1116,21 @@ internal FhirVersionInfo CopyForExport( foreach (KeyValuePair kvp in _searchResultParameters) { + if ((!includeExperimental) && kvp.Value.IsExperimental) + { + continue; + } + info._searchResultParameters.Add(kvp.Key, (FhirSearchParam)kvp.Value.Clone()); } foreach (KeyValuePair kvp in _allInteractionParameters) { + if ((!includeExperimental) && kvp.Value.IsExperimental) + { + continue; + } + info._allInteractionParameters.Add(kvp.Key, (FhirSearchParam)kvp.Value.Clone()); } diff --git a/src/Microsoft.Health.Fhir.SpecManager/Models/FhirComplex.cs b/src/Microsoft.Health.Fhir.SpecManager/Models/FhirComplex.cs index 4de937870..ef60b0d92 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Models/FhirComplex.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Models/FhirComplex.cs @@ -524,6 +524,8 @@ private static string DotForComponents( /// (Optional) Options for controlling the server search. /// (Optional) The supported operations. /// (Optional) The server operations. + /// (Optional) True to include, false to exclude the + /// experimental. /// A FhirComplex. public FhirComplex DeepCopy( Dictionary primitiveTypeMap, @@ -533,7 +535,8 @@ public FhirComplex DeepCopy( Dictionary supportedSearchParams = null, Dictionary serverSearchParams = null, Dictionary supportedOperations = null, - Dictionary serverOperations = null) + Dictionary serverOperations = null, + bool includeExperimental = false) { List contextElements = null; @@ -613,6 +616,11 @@ public FhirComplex DeepCopy( { foreach (KeyValuePair kvp in _searchParameters) { + if ((!includeExperimental) && kvp.Value.IsExperimental) + { + continue; + } + complex.SearchParameters.Add(kvp.Key, (FhirSearchParam)kvp.Value.Clone()); } } @@ -625,6 +633,11 @@ public FhirComplex DeepCopy( continue; } + if ((!includeExperimental) && kvp.Value.IsExperimental) + { + continue; + } + complex.SearchParameters.Add(kvp.Key, (FhirSearchParam)kvp.Value.Clone()); } } @@ -647,6 +660,11 @@ public FhirComplex DeepCopy( { foreach (KeyValuePair kvp in _typeOperations) { + if ((!includeExperimental) && kvp.Value.IsExperimental) + { + continue; + } + complex.TypeOperations.Add(kvp.Key, (FhirOperation)kvp.Value.Clone()); } } @@ -668,6 +686,11 @@ public FhirComplex DeepCopy( { foreach (KeyValuePair kvp in _instanceOperations) { + if ((!includeExperimental) && kvp.Value.IsExperimental) + { + continue; + } + complex.InstanceOperations.Add(kvp.Key, (FhirOperation)kvp.Value.Clone()); } } @@ -680,6 +703,11 @@ public FhirComplex DeepCopy( continue; } + if ((!includeExperimental) && kvp.Value.IsExperimental) + { + continue; + } + complex.InstanceOperations.Add(kvp.Key, (FhirOperation)kvp.Value.Clone()); } } diff --git a/src/Microsoft.Health.Fhir.SpecManager/Models/FhirOperation.cs b/src/Microsoft.Health.Fhir.SpecManager/Models/FhirOperation.cs index 00fdb4602..cc150fab3 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Models/FhirOperation.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Models/FhirOperation.cs @@ -12,9 +12,7 @@ namespace Microsoft.Health.Fhir.SpecManager.Models /// A fhir operation. public class FhirOperation : ICloneable { - /// - /// Initializes a new instance of the class. - /// + /// Initializes a new instance of the class. /// The identifier. /// The URL. /// The version. @@ -27,6 +25,7 @@ public class FhirOperation : ICloneable /// The comment. /// A list of types of the resources. /// The allowed parameters to this operation. + /// True if is experimental, false if not. internal FhirOperation( string id, Uri url, @@ -39,7 +38,8 @@ internal FhirOperation( string code, string comment, IEnumerable resourceTypes, - List parameters) + List parameters, + bool isExperimental) { Id = id; URL = url; @@ -52,6 +52,7 @@ internal FhirOperation( Code = code; Comment = comment; Parameters = parameters; + IsExperimental = isExperimental; if (resourceTypes != null) { @@ -107,6 +108,9 @@ internal FhirOperation( /// The allowed parameters to this operation. public List Parameters { get; } + /// Gets a value indicating whether this object is experimental. + public bool IsExperimental { get; } + /// Deep copy. /// A FhirOperation. public object Clone() @@ -143,7 +147,8 @@ public object Clone() Code, Comment, resourceTypes, - parameters); + parameters, + IsExperimental); } } } diff --git a/src/fhir-codegen-cli/Program.cs b/src/fhir-codegen-cli/Program.cs index 78ce11e19..ae1bb100a 100644 --- a/src/fhir-codegen-cli/Program.cs +++ b/src/fhir-codegen-cli/Program.cs @@ -47,6 +47,7 @@ public static class Program /// expansions (default: false). /// FHIR Server URL to pull a CapabilityStatement (or /// Conformance) from. Requires application/fhir+json. + /// If the output should include structures marked experimental (false|true). public static void Main( string fhirSpecDirectory = "", string outputPath = "", @@ -60,7 +61,8 @@ public static void Main( string loadR5 = "", string languageOptions = "", bool officialExpansionsOnly = false, - string fhirServerUrl = "") + string fhirServerUrl = "", + bool includeExperimental = false) { bool isBatch = false; List filesWritten = new List(); @@ -238,7 +240,8 @@ public static void Main( null, languageOptsByLang[lang.LanguageName], fhirServerUrl, - serverInfo); + serverInfo, + includeExperimental); if (r2 != null) { diff --git a/src/fhir-codegen-cli/Properties/launchSettings.json b/src/fhir-codegen-cli/Properties/launchSettings.json index 043651370..94f824900 100644 --- a/src/fhir-codegen-cli/Properties/launchSettings.json +++ b/src/fhir-codegen-cli/Properties/launchSettings.json @@ -17,7 +17,7 @@ }, "r4": { "commandName": "Project", - "commandLineArgs": "--output-path ..\\..\\generated --load-r4 latest --fhir-spec-directory ..\\..\\fhirVersions --language Info", + "commandLineArgs": "--output-path ..\\..\\generated --load-r4 latest --include-experimental --fhir-spec-directory ..\\..\\fhirVersions --language Info", "workingDirectory": "$(MSBuildProjectDirectory)" }, "r5": { From 876964c0fb7082a7fb759e68408ec32198af1263 Mon Sep 17 00:00:00 2001 From: Gino Canessa Date: Mon, 27 Jul 2020 11:25:10 -0500 Subject: [PATCH 10/13] Regenerated static output with changes and verified correct. --- generated/CSharpBasic_R2.cs | 2 +- generated/Info_R2.txt | 13 +++- generated/Info_R3.txt | 70 +++++++++++-------- generated/Info_R5.txt | 46 ++++++------ generated/TypeScript_R2.ts | 2 +- .../Properties/launchSettings.json | 24 +++---- 6 files changed, 90 insertions(+), 67 deletions(-) diff --git a/generated/CSharpBasic_R2.cs b/generated/CSharpBasic_R2.cs index 7bd69507f..8abe20bd6 100644 --- a/generated/CSharpBasic_R2.cs +++ b/generated/CSharpBasic_R2.cs @@ -13782,7 +13782,7 @@ public class ParametersParameter : BackboneElement { /// A named part of a parameter. In many implementation context, a set of named parts is known as a "Tuple". /// [JsonProperty("part")] - public List Part { get; set; } + public List Part { get; set; } /// /// If the parameter is a whole resource. /// diff --git a/generated/Info_R2.txt b/generated/Info_R2.txt index 007391f9e..2b8645140 100644 --- a/generated/Info_R2.txt +++ b/generated/Info_R2.txt @@ -9,15 +9,23 @@ Primitive Types: 18 - base64Binary: base64Binary::base64Binary - boolean: boolean::boolean - code: code::code + [[^\s]+([\s][^\s]+)*] - date: date::date + [-?[0-9]{4}(-(0[1-9]|1[0-2])(-(0[0-9]|[1-2][0-9]|3[0-1]))?)?] - dateTime: dateTime::dateTime + [-?[0-9]{4}(-(0[1-9]|1[0-2])(-(0[0-9]|[1-2][0-9]|3[0-1])(T([01][0-9]|2[0-3]):[0-5][0-9]:[0-5][0-9](\.[0-9]+)?(Z|(\+|-)((0[0-9]|1[0-3]):[0-5][0-9]|14:00)))?)?)?] - decimal: decimal::decimal + [-?([0]|([1-9][0-9]*))(\.[0-9]+)?] - id: id::id + [[A-Za-z0-9\-\.]{1,64}] - instant: instant::instant - integer: integer::integer + [-?([0]|([1-9][0-9]*))] - markdown: markdown::markdown - oid: oid::oid + [urn:oid:(0|[1-9][0-9]*)(\.(0|[1-9][0-9]*))*] - positiveInt: positiveInt::positiveInt + [[1-9][0-9]*] - string: string::string Extensions: 4 +http://hl7.org/fhir/StructureDefinition/iso21090-SC-coding @@ -41,9 +49,12 @@ Primitive Types: 18 .fixedValueUri = http://hl7.org/fhir/StructureDefinition/markup - valueString[1..1]: string - time: time::time + [([01][0-9]|2[0-3]):[0-5][0-9]:[0-5][0-9](\.[0-9]+)?] - unsignedInt: unsignedInt::unsignedInt + [[0]|([1-9][0-9]*)] - uri: uri::uri - uuid: uuid::uuid + [urn:uuid:[0-9a-f]{8}-[0-9a-f]{4}-[0-9a-f]{4}-[0-9a-f]{4}-[0-9a-f]{12}] - xhtml: xhtml::xhtml Complex Types: 28 - Address: Element @@ -9501,7 +9512,7 @@ Resources: 96 - name[1..1]: string - value[x][0..1]: Address|Annotation|Attachment|base64Binary|boolean|code|CodeableConcept|Coding|ContactPoint|date|dateTime|decimal|HumanName|id|Identifier|instant|integer|markdown|Meta|oid|Period|positiveInt|Quantity|Range|Ratio|Reference|SampledData|Signature|string|time|Timing|unsignedInt|uri - resource[0..1]: Resource - - part[0..*]: OperationDefinition.parameter + - part[0..*]: Parameters.parameter - Patient: DomainResource - id[0..1]: id - meta[0..1]: Meta diff --git a/generated/Info_R3.txt b/generated/Info_R3.txt index e82152c2f..cfa8e02fb 100644 --- a/generated/Info_R3.txt +++ b/generated/Info_R3.txt @@ -9,6 +9,7 @@ Primitive Types: 18 - base64Binary: base64Binary::base64Binary - boolean: boolean::boolean - code: code::code + [[^\s]+([\s]?[^\s]+)*] Extensions: 2 +http://hl7.org/fhir/StructureDefinition/rendered-value - id[0..1]: string @@ -35,6 +36,7 @@ Primitive Types: 18 - url[1..1]: uri .fixedValueUri = http://hl7.org/fhir/StructureDefinition/translation - date: date::date + [-?[0-9]{4}(-(0[1-9]|1[0-2])(-(0[0-9]|[1-2][0-9]|3[0-1]))?)?] Extensions: 1 +http://hl7.org/fhir/StructureDefinition/rendered-value - id[0..1]: string @@ -43,6 +45,7 @@ Primitive Types: 18 .fixedValueUri = http://hl7.org/fhir/StructureDefinition/rendered-value - valueString[0..1]: string - dateTime: dateTime::dateTime + [-?([0-9]([0-9]([0-9][1-9]|[1-9]0)|[1-9]00)|[1-9]000)(-(0[1-9]|1[0-2])(-(0[1-9]|[1-2][0-9]|3[0-1])(T([01][0-9]|2[0-3]):[0-5][0-9]:([0-5][0-9]|60)(\.[0-9]+)?(Z|(\+|-)((0[0-9]|1[0-3]):[0-5][0-9]|14:00)))?)?)?] Extensions: 1 +http://hl7.org/fhir/StructureDefinition/rendered-value - id[0..1]: string @@ -51,6 +54,7 @@ Primitive Types: 18 .fixedValueUri = http://hl7.org/fhir/StructureDefinition/rendered-value - valueString[0..1]: string - decimal: decimal::decimal + [-?([0]|([1-9][0-9]*))(\.[0-9]+)?] Extensions: 1 +http://hl7.org/fhir/StructureDefinition/rendered-value - id[0..1]: string @@ -59,7 +63,9 @@ Primitive Types: 18 .fixedValueUri = http://hl7.org/fhir/StructureDefinition/rendered-value - valueString[0..1]: string - id: id::id + [[A-Za-z0-9\-\.]{1,64}] - instant: instant::instant + [([0-9]([0-9]([0-9][1-9]|[1-9]0)|[1-9]00)|[1-9]000)-(0[1-9]|1[0-2])-(0[1-9]|[1-2][0-9]|3[0-1])T([01][0-9]|2[0-3]):[0-5][0-9]:([0-5][0-9]|60)(\.[0-9]+)?(Z|(\+|-)((0[0-9]|1[0-3]):[0-5][0-9]|14:00))] Extensions: 1 +http://hl7.org/fhir/StructureDefinition/rendered-value - id[0..1]: string @@ -68,6 +74,7 @@ Primitive Types: 18 .fixedValueUri = http://hl7.org/fhir/StructureDefinition/rendered-value - valueString[0..1]: string - integer: integer::integer + [-?([0]|([1-9][0-9]*))] Extensions: 1 +http://hl7.org/fhir/StructureDefinition/rendered-value - id[0..1]: string @@ -96,7 +103,9 @@ Primitive Types: 18 - url[1..1]: uri .fixedValueUri = http://hl7.org/fhir/StructureDefinition/translation - oid: oid::oid + [urn:oid:(0|[1-9][0-9]*)(\.(0|[1-9][0-9]*))*] - positiveInt: positiveInt::positiveInt + [[1-9][0-9]*] - string: string::string Extensions: 5 +http://hl7.org/fhir/StructureDefinition/iso21090-SC-coding @@ -161,6 +170,7 @@ Primitive Types: 18 - url[1..1]: uri .fixedValueUri = http://hl7.org/fhir/StructureDefinition/translation - time: time::time + [([01][0-9]|2[0-3]):[0-5][0-9]:[0-5][0-9](\.[0-9]+)?] Extensions: 1 +http://hl7.org/fhir/StructureDefinition/rendered-value - id[0..1]: string @@ -169,8 +179,10 @@ Primitive Types: 18 .fixedValueUri = http://hl7.org/fhir/StructureDefinition/rendered-value - valueString[0..1]: string - unsignedInt: unsignedInt::unsignedInt + [[0]|([1-9][0-9]*)] - uri: uri::uri - uuid: uuid::uuid + [urn:uuid:[0-9a-f]{8}-[0-9a-f]{4}-[0-9a-f]{4}-[0-9a-f]{4}-[0-9a-f]{12}] - xhtml: xhtml::xhtml Complex Types: 36 - Address: Element @@ -3341,16 +3353,16 @@ Resources: 119 - url[1..1]: uri .fixedValueUri = http://hl7.org/fhir/StructureDefinition/codesystem-subsumes - valueCode[0..1]: code - ?author=string (author) + ?author=string (author) (experimental) ?code=token (code) ?content-mode=token (content-mode) ?date=date (date) ?description=string (description) - ?effective=date (effective) - ?end=date (end) + ?effective=date (effective) (experimental) + ?end=date (end) (experimental) ?identifier=token (identifier) ?jurisdiction=token (jurisdiction) - ?keyword=string (keyword) + ?keyword=string (keyword) (experimental) ?language=token (language) ?name=string (name) ?publisher=string (publisher) @@ -3359,7 +3371,7 @@ Resources: 119 ?title=string (title) ?url=uri (url) ?version=token (version) - ?workflow=token (workflow) + ?workflow=token (workflow) (experimental) $compose in: system (0..1) in: version (0..1) @@ -4009,13 +4021,13 @@ Resources: 119 ?abatement-string=string (abatement-string) ?asserted-date=date (asserted-date) ?asserter=reference (asserter) - ?based-on=reference (based-on) + ?based-on=reference (based-on) (experimental) ?body-site=token (body-site) ?category=token (category) ?clinical-status=token (clinical-status) ?code=token (code) ?context=reference (context) - ?definition=reference (definition) + ?definition=reference (definition) (experimental) ?encounter=reference (encounter) ?evidence=token (evidence) ?evidence-detail=reference (evidence-detail) @@ -4023,7 +4035,7 @@ Resources: 119 ?onset-age=quantity (onset-age) ?onset-date=date (onset-date) ?onset-info=string (onset-info) - ?part-of=reference (part-of) + ?part-of=reference (part-of) (experimental) ?patient=reference (patient) ?severity=token (severity) ?stage=token (stage) @@ -4480,8 +4492,8 @@ Resources: 119 ?identifier=token (identifier) ?jurisdiction=token (jurisdiction) ?name=string (name) - ?objectClass=token (objectClass) - ?objectClassProperty=token (objectClassProperty) + ?objectClass=token (objectClass) (experimental) + ?objectClassProperty=token (objectClassProperty) (experimental) ?publisher=string (publisher) ?status=token (status) ?stringency=token (stringency) @@ -4574,7 +4586,7 @@ Resources: 119 .fixedValueUri = http://hl7.org/fhir/StructureDefinition/device-implant-status - valueCode[0..1]: code ?device-name=string (device-name) - ?din=token (din) + ?din=token (din) (experimental) ?identifier=token (identifier) ?location=reference (location) ?manufacturer=string (manufacturer) @@ -5198,7 +5210,7 @@ Resources: 119 - valueCode[0..1]: code - url[1..1]: uri .fixedValueUri = http://hl7.org/fhir/StructureDefinition/procedurerequest-geneticsItem - ?assessed-condition=reference (assessed-condition) + ?assessed-condition=reference (assessed-condition) (experimental) ?based-on=reference (based-on) ?category=token (category) ?code=token (code) @@ -6950,7 +6962,7 @@ Resources: 119 ?address-postalcode=string (address-postalcode) ?address-state=string (address-state) ?address-use=token (address-use) - ?alias=string (alias) + ?alias=string (alias) (experimental) ?endpoint=reference (endpoint) ?identifier=token (identifier) ?name=string (name) @@ -9826,7 +9838,7 @@ Resources: 119 - url[1..1]: uri .fixedValueUri = http://hl7.org/fhir/StructureDefinition/observation-time-offset - valueInteger[0..1]: integer - ?amino-acid-change=string (amino-acid-change) + ?amino-acid-change=string (amino-acid-change) (experimental) ?based-on=reference (based-on) ?category=token (category) ?code=token (code) @@ -9850,11 +9862,11 @@ Resources: 119 ?data-absent-reason=token (data-absent-reason) ?date=date (date) ?device=reference (device) - ?dna-variant=string (dna-variant) + ?dna-variant=string (dna-variant) (experimental) ?encounter=reference (encounter) - ?gene-amino-acid-change=string (gene-amino-acid-change) - ?gene-dnavariant=string (gene-dnavariant) - ?gene-identifier=token (gene-identifier) + ?gene-amino-acid-change=string (gene-amino-acid-change) (experimental) + ?gene-dnavariant=string (gene-dnavariant) (experimental) + ?gene-identifier=token (gene-identifier) (experimental) ?identifier=token (identifier) ?method=token (method) ?patient=reference (patient) @@ -10085,7 +10097,7 @@ Resources: 119 ?address-postalcode=string (address-postalcode) ?address-state=string (address-state) ?address-use=token (address-use) - ?alias=string (alias) + ?alias=string (alias) (experimental) ?endpoint=reference (endpoint) ?identifier=token (identifier) ?name=string (name) @@ -10289,11 +10301,11 @@ Resources: 119 ?address-postalcode=string (address-postalcode) ?address-state=string (address-state) ?address-use=token (address-use) - ?age=number (age) + ?age=number (age) (experimental) ?animal-breed=token (animal-breed) ?animal-species=token (animal-species) ?birthdate=date (birthdate) - ?birthOrderBoolean=token (birthOrderBoolean) + ?birthOrderBoolean=token (birthOrderBoolean) (experimental) ?death-date=date (death-date) ?deceased=token (deceased) ?email=token (email) @@ -10304,10 +10316,10 @@ Resources: 119 ?identifier=token (identifier) ?language=token (language) ?link=reference (link) - ?mothersMaidenName=string (mothersMaidenName) + ?mothersMaidenName=string (mothersMaidenName) (experimental) ?name=string (name) ?organization=reference (organization) - ?part-agree=reference (Example Search Parameter on an extension) + ?part-agree=reference (Example Search Parameter on an extension) (experimental) ?phone=token (phone) ?phonetic=string (phonetic) ?telecom=token (telecom) @@ -13998,15 +14010,15 @@ Resources: 119 - url[1..1]: uri .fixedValueUri = http://hl7.org/fhir/StructureDefinition/valueset-workflowStatus - valueString[0..1]: string - ?author=string (author) + ?author=string (author) (experimental) ?date=date (date) ?description=string (description) - ?effective=date (effective) - ?end=date (end) + ?effective=date (effective) (experimental) + ?end=date (end) (experimental) ?expansion=uri (expansion) ?identifier=token (identifier) ?jurisdiction=token (jurisdiction) - ?keyword=string (keyword) + ?keyword=string (keyword) (experimental) ?name=string (name) ?publisher=string (publisher) ?reference=uri (reference) @@ -14014,7 +14026,7 @@ Resources: 119 ?title=string (title) ?url=uri (url) ?version=token (version) - ?workflow=token (workflow) + ?workflow=token (workflow) (experimental) $expand in: url (0..1) in: valueSet (0..1) @@ -14145,7 +14157,7 @@ System Operations: 4 All Resource Parameters: 11 ?_content=string (_content) ?_has=string (_has) - ?_id=token (ID-SEARCH-PARAMETER) + ?_id=token (ID-SEARCH-PARAMETER) (experimental) ?_lastUpdated=date (_lastUpdated) ?_list=string (_list) ?_profile=uri (_profile) diff --git a/generated/Info_R5.txt b/generated/Info_R5.txt index 9c925c61a..a3462f150 100644 --- a/generated/Info_R5.txt +++ b/generated/Info_R5.txt @@ -4549,7 +4549,7 @@ Resources: 151 - url[1..1]: string .fixedValueUri = http://hl7.org/fhir/StructureDefinition/valueset-special-status - value[x][1..1]: string - ?author=string (author) + ?author=string (author) (experimental) ?code=token (code) ?content-mode=token (content-mode) ?context=token (context) @@ -4559,11 +4559,11 @@ Resources: 151 ?context-type-value=composite (context-type-value) ?date=date (date) ?description=string (description) - ?effective=date (effective) - ?end=date (end) + ?effective=date (effective) (experimental) + ?end=date (end) (experimental) ?identifier=token (identifier) ?jurisdiction=token (jurisdiction) - ?keyword=string (keyword) + ?keyword=string (keyword) (experimental) ?language=token (language) ?name=string (name) ?publisher=string (publisher) @@ -4573,7 +4573,7 @@ Resources: 151 ?title=string (title) ?url=uri (url) ?version=token (version) - ?workflow=token (workflow) + ?workflow=token (workflow) (experimental) $find-matches in: system (0..1) in: version (0..1) @@ -6179,7 +6179,7 @@ Resources: 151 - value[x][1..1]: code ?definition=reference (definition) ?device-name=string (device-name) - ?din=token (din) + ?din=token (din) (experimental) ?expiration-date=date (expiration-date) ?identifier=token (identifier) ?location=reference (location) @@ -6937,7 +6937,7 @@ Resources: 151 - url[1..1]: string .fixedValueUri = http://hl7.org/fhir/StructureDefinition/workflow-supportingInfo - value[x][1..1]: Reference(Resource) - ?assessed-condition=reference (assessed-condition) + ?assessed-condition=reference (assessed-condition) (experimental) ?based-on=reference (based-on) ?category=token (category) ?code=token (code) @@ -12788,7 +12788,7 @@ Resources: 151 - url[1..1]: string .fixedValueUri = http://hl7.org/fhir/StructureDefinition/workflow-supportingInfo - value[x][1..1]: Reference(Resource) - ?amino-acid-change=string (amino-acid-change) + ?amino-acid-change=string (amino-acid-change) (experimental) ?based-on=reference (based-on) ?category=token (category) ?code=token (code) @@ -12812,12 +12812,12 @@ Resources: 151 ?date=date (date) ?derived-from=reference (derived-from) ?device=reference (device) - ?dna-variant=string (dna-variant) + ?dna-variant=string (dna-variant) (experimental) ?encounter=reference (encounter) ?focus=reference (focus) - ?gene-amino-acid-change=string (gene-amino-acid-change) - ?gene-dnavariant=string (gene-dnavariant) - ?gene-identifier=token (gene-identifier) + ?gene-amino-acid-change=string (gene-amino-acid-change) (experimental) + ?gene-dnavariant=string (gene-dnavariant) (experimental) + ?gene-identifier=token (gene-identifier) (experimental) ?has-member=reference (has-member) ?identifier=token (identifier) ?method=token (method) @@ -13467,9 +13467,9 @@ Resources: 151 ?address-postalcode=string (address-postalcode) ?address-state=string (address-state) ?address-use=token (address-use) - ?age=number (age) + ?age=number (age) (experimental) ?birthdate=date (birthdate) - ?birthOrderBoolean=token (birthOrderBoolean) + ?birthOrderBoolean=token (birthOrderBoolean) (experimental) ?death-date=date (death-date) ?deceased=token (deceased) ?email=token (email) @@ -13480,10 +13480,10 @@ Resources: 151 ?identifier=token (identifier) ?language=token (language) ?link=reference (link) - ?mothersMaidenName=string (mothersMaidenName) + ?mothersMaidenName=string (mothersMaidenName) (experimental) ?name=string (name) ?organization=reference (organization) - ?part-agree=reference (Example Search Parameter on an extension) + ?part-agree=reference (Example Search Parameter on an extension) (experimental) ?phone=token (phone) ?phonetic=string (phonetic) ?telecom=token (telecom) @@ -15572,7 +15572,7 @@ Resources: 151 ?based-on=reference (based-on) ?encounter=reference (encounter) ?identifier=token (identifier) - ?item-subject=reference (item-subject) + ?item-subject=reference (item-subject) (experimental) ?part-of=reference (part-of) ?patient=reference (patient) ?questionnaire=reference (questionnaire) @@ -18519,7 +18519,7 @@ Resources: 151 - url[1..1]: string .fixedValueUri = http://hl7.org/fhir/StructureDefinition/valueset-workflowStatus - value[x][1..1]: string - ?author=string (author) + ?author=string (author) (experimental) ?code=token (code) ?context=token (context) ?context-quantity=quantity (context-quantity) @@ -18528,12 +18528,12 @@ Resources: 151 ?context-type-value=composite (context-type-value) ?date=date (date) ?description=string (description) - ?effective=date (effective) - ?end=date (end) + ?effective=date (effective) (experimental) + ?end=date (end) (experimental) ?expansion=uri (expansion) ?identifier=token (identifier) ?jurisdiction=token (jurisdiction) - ?keyword=string (keyword) + ?keyword=string (keyword) (experimental) ?name=string (name) ?publisher=string (publisher) ?reference=uri (reference) @@ -18541,7 +18541,7 @@ Resources: 151 ?title=string (title) ?url=uri (url) ?version=token (version) - ?workflow=token (workflow) + ?workflow=token (workflow) (experimental) $expand in: url (0..1) in: valueSet (0..1) @@ -18753,7 +18753,7 @@ All Resource Parameters: 13 ?_content=string (_content) ?_filter=special (FilterSearchParameter) ?_has=string (_has) - ?_id=token (ID-SEARCH-PARAMETER) + ?_id=token (ID-SEARCH-PARAMETER) (experimental) ?_lastUpdated=date (_lastUpdated) ?_list=string (_list) ?_profile=uri (_profile) diff --git a/generated/TypeScript_R2.ts b/generated/TypeScript_R2.ts index 7eac8af7f..223f06ff9 100644 --- a/generated/TypeScript_R2.ts +++ b/generated/TypeScript_R2.ts @@ -11097,7 +11097,7 @@ export interface ParametersParameter extends BackboneElement { /** * A named part of a parameter. In many implementation context, a set of named parts is known as a "Tuple". */ - Part?: OperationDefinitionParameter[]; + Part?: ParametersParameter[]; /** * If the parameter is a whole resource. */ diff --git a/src/fhir-codegen-cli/Properties/launchSettings.json b/src/fhir-codegen-cli/Properties/launchSettings.json index 94f824900..060cf4590 100644 --- a/src/fhir-codegen-cli/Properties/launchSettings.json +++ b/src/fhir-codegen-cli/Properties/launchSettings.json @@ -7,12 +7,12 @@ }, "r2": { "commandName": "Project", - "commandLineArgs": "--output-path ..\\..\\generated --load-r2 latest --fhir-spec-directory ..\\..\\fhirVersions --language Info", + "commandLineArgs": "--output-path ..\\..\\generated --load-r2 latest --include-experimental --fhir-spec-directory ..\\..\\fhirVersions --language Info", "workingDirectory": "$(MSBuildProjectDirectory)" }, "r3": { "commandName": "Project", - "commandLineArgs": "--output-path ..\\..\\generated --load-r3 latest --fhir-spec-directory ..\\..\\fhirVersions --language Info", + "commandLineArgs": "--output-path ..\\..\\generated --load-r3 latest --include-experimental --fhir-spec-directory ..\\..\\fhirVersions --language Info", "workingDirectory": "$(MSBuildProjectDirectory)" }, "r4": { @@ -22,52 +22,52 @@ }, "r5": { "commandName": "Project", - "commandLineArgs": "--output-path ..\\..\\generated --load-r5 latest --fhir-spec-directory ..\\..\\fhirVersions --language Info", + "commandLineArgs": "--output-path ..\\..\\generated --load-r5 latest --include-experimental --fhir-spec-directory ..\\..\\fhirVersions --language Info", "workingDirectory": "$(MSBuildProjectDirectory)" }, "ts2": { "commandName": "Project", - "commandLineArgs": "--output-path ..\\..\\generated --load-r2 latest --fhir-spec-directory ..\\..\\fhirVersions --language TypeScript", + "commandLineArgs": "--output-path ..\\..\\generated --load-r2 latest --include-experimental --fhir-spec-directory ..\\..\\fhirVersions --language TypeScript", "workingDirectory": "$(MSBuildProjectDirectory)" }, "ts3": { "commandName": "Project", - "commandLineArgs": "--output-path ..\\..\\generated --load-r3 latest --fhir-spec-directory ..\\..\\fhirVersions --language TypeScript", + "commandLineArgs": "--output-path ..\\..\\generated --load-r3 latest --include-experimental --fhir-spec-directory ..\\..\\fhirVersions --language TypeScript", "workingDirectory": "$(MSBuildProjectDirectory)" }, "ts4": { "commandName": "Project", - "commandLineArgs": "--output-path ..\\..\\generated --load-r4 latest --fhir-spec-directory ..\\..\\fhirVersions --language TypeScript", + "commandLineArgs": "--output-path ..\\..\\generated --load-r4 latest --include-experimental --fhir-spec-directory ..\\..\\fhirVersions --language TypeScript", "workingDirectory": "$(MSBuildProjectDirectory)" }, "ts5": { "commandName": "Project", - "commandLineArgs": "--output-path ..\\..\\generated --load-r5 latest --fhir-spec-directory ..\\..\\fhirVersions --language TypeScript", + "commandLineArgs": "--output-path ..\\..\\generated --load-r5 latest --include-experimental --fhir-spec-directory ..\\..\\fhirVersions --language TypeScript", "workingDirectory": "$(MSBuildProjectDirectory)" }, "cs2": { "commandName": "Project", - "commandLineArgs": "--output-path ..\\..\\generated --load-r2 latest --fhir-spec-directory ..\\..\\fhirVersions --language CSharpBasic", + "commandLineArgs": "--output-path ..\\..\\generated --load-r2 latest --include-experimental --fhir-spec-directory ..\\..\\fhirVersions --language CSharpBasic", "workingDirectory": "$(MSBuildProjectDirectory)" }, "cs3": { "commandName": "Project", - "commandLineArgs": "--output-path ..\\..\\generated --load-r3 latest --fhir-spec-directory ..\\..\\fhirVersions --language CSharpBasic", + "commandLineArgs": "--output-path ..\\..\\generated --load-r3 latest --include-experimental --fhir-spec-directory ..\\..\\fhirVersions --language CSharpBasic", "workingDirectory": "$(MSBuildProjectDirectory)" }, "cs4": { "commandName": "Project", - "commandLineArgs": "--output-path ..\\..\\generated --load-r4 latest --fhir-spec-directory ..\\..\\fhirVersions --language CSharpBasic", + "commandLineArgs": "--output-path ..\\..\\generated --load-r4 latest --include-experimental --fhir-spec-directory ..\\..\\fhirVersions --language CSharpBasic", "workingDirectory": "$(MSBuildProjectDirectory)" }, "cs5": { "commandName": "Project", - "commandLineArgs": "--output-path ..\\..\\generated --load-r5 latest --fhir-spec-directory ..\\..\\fhirVersions --language CSharpBasic", + "commandLineArgs": "--output-path ..\\..\\generated --load-r5 latest --include-experimental --fhir-spec-directory ..\\..\\fhirVersions --language CSharpBasic", "workingDirectory": "$(MSBuildProjectDirectory)" }, "GenerateAll": { "commandName": "Project", - "commandLineArgs": "--output-path ..\\..\\generated --load-r2 latest --load-r3 latest --load-r4 latest --load-r5 latest --fhir-spec-directory ..\\..\\fhirVersions --language Info|TypeScript|CSharpBasic", + "commandLineArgs": "--output-path ..\\..\\generated --load-r2 latest --include-experimental --load-r3 latest --load-r4 latest --load-r5 latest --fhir-spec-directory ..\\..\\fhirVersions --language Info|TypeScript|CSharpBasic", "workingDirectory": "$(MSBuildProjectDirectory)" }, "Firely2": { From 5b1485c4de5430bfdc5be43deaec202dc4a9f368 Mon Sep 17 00:00:00 2001 From: Gino Canessa Date: Mon, 27 Jul 2020 13:12:38 -0500 Subject: [PATCH 11/13] Improved reference tracking for Value Sets. Added value set maximum binding strength tracking. Updated Info language to export value set binding and reference information. --- generated/Info_R2.txt | 930 +++++++++++++ generated/Info_R3.txt | 1082 +++++++++++++++ generated/Info_R4.txt | 1193 ++++++++++++++++ generated/Info_R5.txt | 1230 +++++++++++++++++ .../Language/Info.cs | 10 +- .../Manager/FhirVersionInfo.cs | 3 +- .../Models/FhirComplex.cs | 2 +- .../Models/FhirElement.cs | 60 +- .../Models/FhirSlicing.cs | 5 +- .../Models/FhirValueSet.cs | 22 +- .../Models/ValueSetReferenceInfo.cs | 52 + 11 files changed, 4556 insertions(+), 33 deletions(-) create mode 100644 src/Microsoft.Health.Fhir.SpecManager/Models/ValueSetReferenceInfo.cs diff --git a/generated/Info_R2.txt b/generated/Info_R2.txt index 2b8645140..36c75c843 100644 --- a/generated/Info_R2.txt +++ b/generated/Info_R2.txt @@ -14343,14 +14343,17 @@ All Interaction Parameters: 1 ?_format=string (_format) Value Sets: 930 (unversioned) - ValueSet: http://hl7.org/fhir/ValueSet/account-status|1.0.2 + references: 1, strongest binding: Preferred - #active: Active - #inactive: Inactive - ValueSet: http://hl7.org/fhir/ValueSet/actionlist|1.0.2 + references: 1, strongest binding: Required - #cancel: Cancel, Reverse or Nullify - #poll: Poll - #reprocess: Re-Process - #status: Status Check - ValueSet: http://hl7.org/fhir/ValueSet/additionalmaterials|1.0.2 + references: 1, strongest binding: Example - #document: Document - #email: Email - #image: Image @@ -14358,15 +14361,18 @@ Value Sets: 930 (unversioned) - #other: Other - #xray: XRay - ValueSet: http://hl7.org/fhir/ValueSet/address-type|1.0.2 + references: 1, strongest binding: Required - #both: Postal & Physical - #physical: Physical - #postal: Postal - ValueSet: http://hl7.org/fhir/ValueSet/address-use|1.0.2 + references: 1, strongest binding: Required - #home: Home - #old: Old / Incorrect - #temp: Temporary - #work: Work - ValueSet: http://hl7.org/fhir/ValueSet/adjudication|1.0.2 + references: 5, strongest binding: Extensible - #benefit: - #copay: - #deductible: @@ -14375,17 +14381,21 @@ Value Sets: 930 (unversioned) - #tax: - #total: - ValueSet: http://hl7.org/fhir/ValueSet/adjudication-error|1.0.2 + references: 2, strongest binding: Required - #A001: - #A002: - ValueSet: http://hl7.org/fhir/ValueSet/adjustment-reason|1.0.2 + references: 1, strongest binding: Extensible - #A001: - #A002: - ValueSet: http://hl7.org/fhir/ValueSet/administrative-gender|1.0.2 + references: 6, strongest binding: Required - #female: Female - #male: Male - #other: Other - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/age-units|1.0.2 + references: 0, strongest binding: - #a: Year - #d: Day - #h: Hour @@ -14393,39 +14403,48 @@ Value Sets: 930 (unversioned) - #mo: Month - #wk: Week - ValueSet: http://hl7.org/fhir/ValueSet/allergy-intolerance-category|1.0.2 + references: 1, strongest binding: Required - #environment: Environment - #food: Food - #medication: Medication - #other: Other - ValueSet: http://hl7.org/fhir/ValueSet/allergy-intolerance-criticality|1.0.2 + references: 1, strongest binding: Required - #CRITH: High Risk - #CRITL: Low Risk - #CRITU: Unable to determine - ValueSet: http://hl7.org/fhir/ValueSet/allergy-intolerance-status|1.0.2 + references: 1, strongest binding: Required - #active: Active - #inactive: Inactive - ValueSet: http://hl7.org/fhir/ValueSet/allergyintolerance-substance-code|1.0.2 + references: 1, strongest binding: Example - #160244002: No Known Allergies - #409137002: No Known Drug Allergies - #428607008: No Known Environmental Allergy - #429625007: No Known Food Allergies - ValueSet: http://hl7.org/fhir/ValueSet/allergy-intolerance-type|1.0.2 + references: 1, strongest binding: Required - #allergy: Allergy - #intolerance: Intolerance - ValueSet: http://hl7.org/fhir/ValueSet/animal-breeds|1.0.2 + references: 1, strongest binding: Example - #gret: Golden Retriever - #gsd: German Shepherd Dog - #irt: Irish Terrier - #tibmas: Tibetan Mastiff - ValueSet: http://hl7.org/fhir/ValueSet/animal-genderstatus|1.0.2 + references: 1, strongest binding: Example - #intact: Intact - #neutered: Neutered - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/animal-species|1.0.2 + references: 1, strongest binding: Example - #canislf: Dog - #ovisa: Sheep - #serinuscd: Domestic Canary - ValueSet: http://hl7.org/fhir/ValueSet/answer-format|1.0.2 + references: 1, strongest binding: Required - #attachment: Attachment - #boolean: Boolean - #choice: Choice @@ -14442,6 +14461,7 @@ Value Sets: 930 (unversioned) - #time: Time - #url: Url - ValueSet: http://hl7.org/fhir/ValueSet/anzsco-occupations|1.0.2 + references: 1, strongest binding: Example - #100000: Managers nfd - #111000: Chief Executives, General Managers and Legislators nfd - #111111: Chief Executive or Managing Director @@ -15769,6 +15789,7 @@ Value Sets: 930 (unversioned) - #899922: Trolley Collector - #899999: Labourers nec - ValueSet: http://hl7.org/fhir/ValueSet/appointmentstatus|1.0.2 + references: 1, strongest binding: Required - #arrived: Arrived - #booked: Booked - #cancelled: Cancelled @@ -15777,9 +15798,11 @@ Value Sets: 930 (unversioned) - #pending: Pending - #proposed: Proposed - ValueSet: http://hl7.org/fhir/ValueSet/assert-direction-codes|1.0.2 + references: 1, strongest binding: Required - #request: request - #response: response - ValueSet: http://hl7.org/fhir/ValueSet/assert-operator-codes|1.0.2 + references: 1, strongest binding: Required - #contains: contains - #empty: empty - #equals: equals @@ -15791,6 +15814,7 @@ Value Sets: 930 (unversioned) - #notEquals: notEquals - #notIn: notIn - ValueSet: http://hl7.org/fhir/ValueSet/assert-response-code-types|1.0.2 + references: 1, strongest binding: Required - #bad: bad - #conflict: conflict - #created: created @@ -15804,17 +15828,20 @@ Value Sets: 930 (unversioned) - #preconditionFailed: preconditionFailed - #unprocessable: unprocessable - ValueSet: http://hl7.org/fhir/ValueSet/audit-event-action|1.0.2 + references: 1, strongest binding: Required - #C: Create - #D: Delete - #E: Execute - #R: Read/View/Print - #U: Update - ValueSet: http://hl7.org/fhir/ValueSet/audit-event-outcome|1.0.2 + references: 1, strongest binding: Required - #0: Success - #12: Major failure - #4: Minor failure - #8: Serious failure - ValueSet: http://hl7.org/fhir/ValueSet/audit-event-sub-type|20100826 + references: 1, strongest binding: Extensible - #110120: Application Start - #110121: Application Stop - #110122: Login @@ -15855,6 +15882,7 @@ Value Sets: 930 (unversioned) - #validate: validate - #vread: vread - ValueSet: http://hl7.org/fhir/ValueSet/audit-event-type|20150326 + references: 1, strongest binding: Extensible - #110100: Application Activity - #110101: Audit Log Used - #110102: Begin Transferring DICOM Instances @@ -15871,6 +15899,7 @@ Value Sets: 930 (unversioned) - #110113: Security Alert - #110114: User Authentication - ValueSet: http://hl7.org/fhir/ValueSet/audit-source-type|20100826 + references: 1, strongest binding: Extensible - #1: User Device - #2: Data Interface - #3: Web Server @@ -15881,6 +15910,7 @@ Value Sets: 930 (unversioned) - #8: Network Router - #9: Other - ValueSet: http://hl7.org/fhir/ValueSet/basic-resource-type|1.0.2 + references: 1, strongest binding: Example - #account: Account - #adjudicat: Invoice Adjudication - #adminact: Administrative Activity @@ -15898,15 +15928,18 @@ Value Sets: 930 (unversioned) - #study: Study - #transfer: Transfer - ValueSet: http://hl7.org/fhir/ValueSet/binding-strength|1.0.2 + references: 2, strongest binding: Required - #example: Example - #extensible: Extensible - #preferred: Preferred - #required: Required - ValueSet: http://hl7.org/fhir/ValueSet/bodysite-laterality|1.0.2 + references: 1, strongest binding: Example - #419161000: Unilateral left - #419465000: Unilateral right - #51440002: Bilateral - ValueSet: http://hl7.org/fhir/ValueSet/bodysite-relative-location|1.0.2 + references: 1, strongest binding: Example - #255551008: Posterior - #255561001: Medial - #261089000: Inferior @@ -15920,6 +15953,7 @@ Value Sets: 930 (unversioned) - #49370004: Lateral - #51440002: Bilateral - ValueSet: http://hl7.org/fhir/ValueSet/bundle-type|1.0.2 + references: 1, strongest binding: Required - #batch: Batch - #batch-response: Batch Response - #collection: Collection @@ -15930,6 +15964,7 @@ Value Sets: 930 (unversioned) - #transaction: Transaction - #transaction-response: Transaction Response - ValueSet: http://hl7.org/fhir/ValueSet/c80-doc-classcodes|20091109 + references: 1, strongest binding: Example - #11369-6: History of Immunization - #11485-0: Anesthesia records - #11486-8: Chemotherapy records @@ -15976,6 +16011,7 @@ Value Sets: 930 (unversioned) - #57017-6: Privacy Policy Organization Document - #57133-1: Referral note - ValueSet: http://hl7.org/fhir/ValueSet/c80-doc-typecodes|20091109 + references: 2, strongest binding: Preferred - #11206-0: 18-Hydroxydeoxycorticosterone [Mass/volume] in Serum or Plasma - #11485-0: Anesthesia records - #11486-8: Chemotherapy records @@ -22378,6 +22414,7 @@ Value Sets: 930 (unversioned) - #74480-5: Clinical document Subject matter domain from LOINC Document Ontology - #8653-8: Hospital Discharge instructions - ValueSet: http://hl7.org/fhir/ValueSet/c80-facilitycodes|20091109 + references: 1, strongest binding: Example - #10206005: Hospital outpatient dental clinic - #10531005: Free-standing ambulatory surgery facility - #11424001: Ambulance-based care @@ -22458,6 +22495,7 @@ Value Sets: 930 (unversioned) - #90484001: Hospital outpatient general surgery clinic - #91154008: Free-standing birthing center - ValueSet: http://hl7.org/fhir/ValueSet/c80-practice-codes|20091109 + references: 6, strongest binding: Preferred - #394539006: Pediatric surgery - #394576009: Surgical-Accident & emergency - #394577000: Anesthetics @@ -22574,6 +22612,7 @@ Value Sets: 930 (unversioned) - #421661004: Blood banking and transfusion medicine - #422191005: Ophthalmic surgery - ValueSet: http://hl7.org/fhir/ValueSet/care-plan-activity-category|1.0.0 + references: 1, strongest binding: Example - #diet: Diet - #drug: Drug - #encounter: Encounter @@ -22582,6 +22621,7 @@ Value Sets: 930 (unversioned) - #procedure: Procedure - #supply: Supply - ValueSet: http://hl7.org/fhir/ValueSet/care-plan-activity-status|1.0.2 + references: 1, strongest binding: Required - #cancelled: Cancelled - #completed: Completed - #in-progress: In Progress @@ -22589,46 +22629,56 @@ Value Sets: 930 (unversioned) - #on-hold: On Hold - #scheduled: Scheduled - ValueSet: http://hl7.org/fhir/ValueSet/care-plan-relationship|1.0.2 + references: 1, strongest binding: Required - #fulfills: Fulfills - #includes: Includes - #replaces: Replaces - ValueSet: http://hl7.org/fhir/ValueSet/care-plan-status|1.0.2 + references: 1, strongest binding: Required - #active: Active - #cancelled: Cancelled - #completed: Completed - #draft: Pending - #proposed: Proposed - ValueSet: http://hl7.org/fhir/ValueSet/choice-list-orientation|1.0.2 + references: 0, strongest binding: - #horizontal: Horizontal - #vertical: Vertical - ValueSet: http://hl7.org/fhir/ValueSet/claim-exception|1.0.2 + references: 1, strongest binding: Example - #disabled: Disabled - #student: Student (Fulltime) - ValueSet: http://hl7.org/fhir/ValueSet/claim-modifiers|1.0.2 + references: 1, strongest binding: Example - #A: Repair of prior service or installation - #B: Temporary service or installation - #C: TMJ treatment - #E: Implant or associated with an implant - #X: None - ValueSet: http://hl7.org/fhir/ValueSet/claim-type-link|1.0.2 + references: 1, strongest binding: Required - #institutional: Institutional - #oral: Oral Health - #pharmacy: Pharmacy - #professional: Professional - #vision: Vision - ValueSet: http://hl7.org/fhir/ValueSet/claim-use-link|1.0.2 + references: 1, strongest binding: Required - #complete: Complete - #exploratory: Exploratory - #other: Other - #proposed: Proposed - ValueSet: http://hl7.org/fhir/ValueSet/classification-or-context|1.0.2 + references: 0, strongest binding: - #classification: Classification - #context: Context - ValueSet: http://hl7.org/fhir/ValueSet/clinical-impression-status|1.0.2 + references: 1, strongest binding: Required - #completed: Completed - #entered-in-error: Entered in Error - #in-progress: In progress - ValueSet: http://hl7.org/fhir/ValueSet/communication-request-status|1.0.2 + references: 1, strongest binding: Required - #accepted: Accepted - #completed: Completed - #failed: Failed @@ -22640,22 +22690,26 @@ Value Sets: 930 (unversioned) - #requested: Requested - #suspended: Suspended - ValueSet: http://hl7.org/fhir/ValueSet/communication-status|1.0.2 + references: 1, strongest binding: Required - #completed: Completed - #failed: Failed - #in-progress: In Progress - #rejected: Rejected - #suspended: Suspended - ValueSet: http://hl7.org/fhir/ValueSet/composition-attestation-mode|1.0.2 + references: 1, strongest binding: Required - #legal: Legal - #official: Official - #personal: Personal - #professional: Professional - ValueSet: http://hl7.org/fhir/ValueSet/composition-status|1.0.2 + references: 2, strongest binding: Required - #amended: Amended - #entered-in-error: Entered in Error - #final: Final - #preliminary: Preliminary - ValueSet: http://hl7.org/fhir/ValueSet/concept-map-equivalence|1.0.2 + references: 1, strongest binding: Required - #equivalent: Equivalent - #inexact: Inexact - #narrower: Narrower @@ -22664,29 +22718,35 @@ Value Sets: 930 (unversioned) - #unmatched: Unmatched - #wider: Wider - ValueSet: http://hl7.org/fhir/ValueSet/conditional-delete-status|1.0.2 + references: 1, strongest binding: Required - #multiple: Multiple Deletes Supported - #not-supported: Not Supported - #single: Single Deletes Supported - ValueSet: http://hl7.org/fhir/ValueSet/condition-category|1.0.2 + references: 1, strongest binding: Preferred - #complaint: Complaint - #diagnosis: Diagnosis - #finding: Finding - #symptom: Symptom - ValueSet: http://hl7.org/fhir/ValueSet/condition-clinical|1.0.2 + references: 1, strongest binding: Preferred - #active: Active - #relapse: Relapse - #remission: Remission - #resolved: Resolved - ValueSet: http://hl7.org/fhir/ValueSet/condition-severity|1.0.2 + references: 1, strongest binding: Extensible - #24484000: - #255604002: - #399166001: - #6736007: - ValueSet: http://hl7.org/fhir/ValueSet/condition-state|1.0.2 + references: 0, strongest binding: - #active: Active - #inactive: Inactive - #resolved: Resolved - ValueSet: http://hl7.org/fhir/ValueSet/condition-ver-status|1.0.2 + references: 1, strongest binding: Required - #confirmed: Confirmed - #differential: Differential - #entered-in-error: Entered In Error @@ -22694,27 +22754,33 @@ Value Sets: 930 (unversioned) - #refuted: Refuted - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/conformance-expectation|1.0.2 + references: 0, strongest binding: - #MAY: MAY - #SHALL: SHALL - #SHOULD: SHOULD - #SHOULD-NOT: SHOULD-NOT - ValueSet: http://hl7.org/fhir/ValueSet/conformance-resource-status|1.0.2 + references: 10, strongest binding: Required - #active: Active - #draft: Draft - #retired: Retired - ValueSet: http://hl7.org/fhir/ValueSet/conformance-statement-kind|1.0.2 + references: 1, strongest binding: Required - #capability: Capability - #instance: Instance - #requirements: Requirements - ValueSet: http://hl7.org/fhir/ValueSet/consistency-type|1.0.2 + references: 1, strongest binding: Example - #439021000124105: nectar thick liquid - #439031000124108: honey thick liquid - #439041000124103: spoon thick liquid - #439081000124109: thin liquid - ValueSet: http://hl7.org/fhir/ValueSet/constraint-severity|1.0.2 + references: 1, strongest binding: Required - #error: Error - #warning: Warning - ValueSet: http://hl7.org/fhir/ValueSet/contactentity-type|1.0.2 + references: 1, strongest binding: Extensible - #ADMIN: Administrative - #BILL: Billing - #HR: Human Resource @@ -22722,27 +22788,33 @@ Value Sets: 930 (unversioned) - #PAYOR: Payor - #PRESS: Press - ValueSet: http://hl7.org/fhir/ValueSet/contact-point-system|1.0.2 + references: 1, strongest binding: Required - #email: Email - #fax: Fax - #other: URL - #pager: Pager - #phone: Phone - ValueSet: http://hl7.org/fhir/ValueSet/contact-point-use|1.0.2 + references: 1, strongest binding: Required - #home: Home - #mobile: Mobile - #old: Old - #temp: Temp - #work: Work - ValueSet: http://hl7.org/fhir/ValueSet/content-type|1.0.2 + references: 3, strongest binding: Required - #json: json - #xml: xml - ValueSet: http://hl7.org/fhir/ValueSet/contract-action|1.0.2 + references: 2, strongest binding: Example - #action-a: - #action-b: - ValueSet: http://hl7.org/fhir/ValueSet/contract-actorrole|1.0.2 + references: 2, strongest binding: Example - #patient: Patient - #practitioner: Practitioner - ValueSet: http://hl7.org/fhir/ValueSet/contract-signer-type|1.0.2 + references: 1, strongest binding: Preferred - #1.2.840.10065.1.12.1.1: AuthorID - #1.2.840.10065.1.12.1.10: Identity-Witness - #1.2.840.10065.1.12.1.11: Consent-Witness @@ -22761,28 +22833,35 @@ Value Sets: 930 (unversioned) - #1.2.840.10065.1.12.1.8: Witness - #1.2.840.10065.1.12.1.9: Event-Witness - ValueSet: http://hl7.org/fhir/ValueSet/contract-subtype|1.0.2 + references: 1, strongest binding: Example - #disclosure-CA: - #disclosure-US: - ValueSet: http://hl7.org/fhir/ValueSet/contract-term-subtype|1.0.2 + references: 1, strongest binding: Example - #OralHealth-Basic: - #OralHealth-Major: - #OralHealth-Orthodontic: - ValueSet: http://hl7.org/fhir/ValueSet/contract-term-type|1.0.2 + references: 1, strongest binding: Example - #OralHealth: - #Vision: - ValueSet: http://hl7.org/fhir/ValueSet/contract-type|1.0.2 + references: 1, strongest binding: Example - #disclosure: - #privacy: - ValueSet: http://hl7.org/fhir/ValueSet/daf-ethnicity|1.0.2 + references: 0, strongest binding: - #2135-2: Hispanic or Latino - #2186-5: Not Hispanic or Latino - #ASKU: asked but unknown - #UNK: unknown - ValueSet: http://hl7.org/fhir/ValueSet/daf-list-DAFMedListCode|1.0.2 + references: 1, strongest binding: Required - #10160-0: - #42346-7: - #75311-1: - ValueSet: http://hl7.org/fhir/ValueSet/daf-medication-route|1.0.2 + references: 5, strongest binding: Preferred - #C28161: INTRAMUSCULAR - #C38192: AURICULAR (OTIC) - #C38193: BUCCAL @@ -22907,6 +22986,7 @@ Value Sets: 930 (unversioned) - #C79144: INTRAEPICARDIAL - #C79145: TRANSENDOCARDIAL - ValueSet: http://hl7.org/fhir/ValueSet/daf-observation-ccdasmokingstatus|1.0.2 + references: 0, strongest binding: - #266919005: - #266927001: - #428041000124106: @@ -22918,6 +22998,7 @@ Value Sets: 930 (unversioned) - #not-asked: Not Asked - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/daf-observation-CCDAVitalSignResult|1.0.2 + references: 1, strongest binding: Extensible - #2710-2: - #3140-1: - #3141-9: @@ -22934,6 +23015,7 @@ Value Sets: 930 (unversioned) - #8867-4: - #9279-1: - ValueSet: http://hl7.org/fhir/ValueSet/daf-product-form|1.0.2 + references: 1, strongest binding: Extensible - #C17423: DRUG DELIVERY SYSTEM - #C25158: CAPSULE - #C25394: PILL @@ -23102,6 +23184,7 @@ Value Sets: 930 (unversioned) - #C61005: TABLET, FOR SUSPENSION - #C61006: TABLET, ORALLY DISINTEGRATING, DELAYED RELEASE - ValueSet: http://hl7.org/fhir/ValueSet/daf-race|1.0.2 + references: 0, strongest binding: - #1002-5: American Indian or Alaska Native - #2028-9: Asian - #2054-5: Black or African American @@ -23110,11 +23193,13 @@ Value Sets: 930 (unversioned) - #ASKU: asked but unknown - #UNK: unknown - ValueSet: http://hl7.org/fhir/ValueSet/daf-substance|1.0.2 + references: 2, strongest binding: Preferred - #160244002: No Known Allergies - #409137002: No Known Drug Allergies - #428607008: No Known Environmental Allergy - #429625007: No Known Food Allergies - ValueSet: http://hl7.org/fhir/ValueSet/daf-ucum-vitals-common|1.0.2 + references: 2, strongest binding: Required - #%: percent - #/min: per minute - #Cel: degree Celsius @@ -23124,6 +23209,7 @@ Value Sets: 930 (unversioned) - #m2: square meter - #mm[Hg]: millimeter of mercury - ValueSet: http://hl7.org/fhir/ValueSet/data-absent-reason|1.0.2 + references: 0, strongest binding: - #asked: Asked - #astext: As Text - #error: Error @@ -23133,9 +23219,11 @@ Value Sets: 930 (unversioned) - #unknown: Unknown - #unsupported: Unsupported - ValueSet: http://hl7.org/fhir/ValueSet/dataelement-stringency|1.0.2 + references: 1, strongest binding: Required - #comparable: Comparable - #flexible: Flexible - ValueSet: http://hl7.org/fhir/ValueSet/data-types|1.0.2 + references: 0, strongest binding: - #Address: Address - #Age: Age - #Annotation: Annotation @@ -23183,6 +23271,7 @@ Value Sets: 930 (unversioned) - #uuid: uuid - #xhtml: XHTML - ValueSet: http://hl7.org/fhir/ValueSet/days-of-week|1.0.2 + references: 1, strongest binding: Required - #fri: Friday - #mon: Monday - #sat: Saturday @@ -23191,6 +23280,7 @@ Value Sets: 930 (unversioned) - #tue: Tuesday - #wed: Wednesday - ValueSet: http://hl7.org/fhir/ValueSet/defined-types|1.0.2 + references: 4, strongest binding: Required - #Account: Account - #Address: Address - #Age: Age @@ -23334,6 +23424,7 @@ Value Sets: 930 (unversioned) - #VisionPrescription: VisionPrescription - #xhtml: XHTML - ValueSet: http://hl7.org/fhir/ValueSet/detectedissue-category|1.0.2 + references: 1, strongest binding: Preferred - #_AdministrationDetectedIssueCode: AdministrationDetectedIssueCode - #_AppropriatenessDetectedIssueCode: AppropriatenessDetectedIssueCode - #_InteractionDetectedIssueCode: InteractionDetectedIssueCode @@ -23361,6 +23452,7 @@ Value Sets: 930 (unversioned) - #TOOSOON: Refill Too Soon Alert - #TPROD: Therapeutic Product Alert - ValueSet: http://hl7.org/fhir/ValueSet/detectedissue-mitigation-action|1.0.2 + references: 1, strongest binding: Preferred - #_ActAdministrativeDetectedIssueManagementCode: ActAdministrativeDetectedIssueManagementCode - #_ActDetectedIssueManagementCode: ActDetectedIssueManagementCode - #_AuthorizationIssueManagementCode: Authorization Issue Management Code @@ -23389,23 +23481,28 @@ Value Sets: 930 (unversioned) - #9: Instituted Ongoing Monitoring Program - #EMAUTH: emergency authorization override - ValueSet: http://hl7.org/fhir/ValueSet/detectedissue-severity|1.0.2 + references: 1, strongest binding: Required - #high: High - #low: Low - #moderate: Moderate - ValueSet: http://hl7.org/fhir/ValueSet/device-action|1.0.2 + references: 1, strongest binding: Required - #explanted: Explanted - #implanted: Implanted - #manipulated: Manipulated - ValueSet: http://hl7.org/fhir/ValueSet/devicestatus|1.0.2 + references: 1, strongest binding: Required - #available: Available - #entered-in-error: Entered in Error - #not-available: Not Available - ValueSet: http://hl7.org/fhir/ValueSet/device-use-request-priority|1.0.2 + references: 1, strongest binding: Required - #asap: ASAP - #routine: Routine - #stat: Stat - #urgent: Urgent - ValueSet: http://hl7.org/fhir/ValueSet/device-use-request-status|1.0.2 + references: 1, strongest binding: Required - #aborted: Aborted - #accepted: Accepted - #completed: Completed @@ -23417,15 +23514,18 @@ Value Sets: 930 (unversioned) - #requested: Requested - #suspended: Suspended - ValueSet: http://hl7.org/fhir/ValueSet/diagnostic-order-event|1.0.2 + references: 1, strongest binding: Example - #26895000: - #394838008: - #440622005: - ValueSet: http://hl7.org/fhir/ValueSet/diagnostic-order-priority|1.0.2 + references: 3, strongest binding: Required - #asap: ASAP - #routine: Routine - #stat: Stat - #urgent: Urgent - ValueSet: http://hl7.org/fhir/ValueSet/diagnostic-order-status|1.0.2 + references: 3, strongest binding: Required - #accepted: Accepted - #cancelled: Cancelled - #completed: Completed @@ -23440,6 +23540,7 @@ Value Sets: 930 (unversioned) - #review: Review - #suspended: Suspended - ValueSet: http://hl7.org/fhir/ValueSet/diagnostic-report-status|1.0.2 + references: 1, strongest binding: Required - #appended: Appended - #cancelled: Cancelled - #corrected: Corrected @@ -23448,6 +23549,7 @@ Value Sets: 930 (unversioned) - #partial: Partial - #registered: Registered - ValueSet: http://hl7.org/fhir/ValueSet/diagnostic-service-sections|1.0.2 + references: 1, strongest binding: Example - #AU: Audiology - #BG: Blood Gases - #BLB: Blood Bank @@ -23490,6 +23592,7 @@ Value Sets: 930 (unversioned) - #VUS: Vascular Ultrasound - #XRC: Cineradiograph - ValueSet: http://hl7.org/fhir/ValueSet/dicm-402-roleid|20100826 + references: 1, strongest binding: Extensible - #110150: Application - #110151: Application Launcher - #110152: Destination Role ID @@ -23497,6 +23600,7 @@ Value Sets: 930 (unversioned) - #110154: Destination Media - #110155: Source Media - ValueSet: http://hl7.org/fhir/ValueSet/dicm-405-mediatype|20100826 + references: 1, strongest binding: Extensible - #110010: Film - #110030: USB Disk Emulation - #110031: Email @@ -23508,6 +23612,7 @@ Value Sets: 930 (unversioned) - #110037: URI - #110038: Paper Document - ValueSet: http://hl7.org/fhir/ValueSet/dicom-cid29|20121129 + references: 2, strongest binding: Extensible - #AR: Autorefraction - #BDUS: Ultrasound Bone Densitometry - #BMD: Bone Mineral Densitometry @@ -23546,6 +23651,7 @@ Value Sets: 930 (unversioned) - #XA: X-Ray Angiography - #XC: External-camera Photography - ValueSet: http://hl7.org/fhir/ValueSet/dicom-dcim|01 + references: 0, strongest binding: - #109001: Digital timecode (NOS) - #109002: ECG-based gating signal, processed - #109003: IRIG-B timecode @@ -26701,10 +26807,12 @@ Value Sets: 930 (unversioned) - #XA: X-Ray Angiography - #XC: External-camera Photography - ValueSet: http://hl7.org/fhir/ValueSet/digital-media-type|1.0.2 + references: 1, strongest binding: Required - #audio: Audio - #photo: Photo - #video: Video - ValueSet: http://hl7.org/fhir/ValueSet/doc-classcodes|1.0.2 + references: 1, strongest binding: Example - #LP156982-3: Photographic image - #LP173118-3: Discharge instructions - #LP173387-4: Administrative note @@ -26739,6 +26847,7 @@ Value Sets: 930 (unversioned) - #LP183503-4: Case report - #LP193873-9: Driver license - ValueSet: http://hl7.org/fhir/ValueSet/doc-section-codes|1.0.2 + references: 1, strongest binding: Example - #10154-3: - #10157-6: - #10160-0: @@ -26795,18 +26904,22 @@ Value Sets: 930 (unversioned) - #8653-8: - #8716-3: - ValueSet: http://hl7.org/fhir/ValueSet/document-mode|1.0.2 + references: 1, strongest binding: Required - #consumer: Consumer - #producer: Producer - ValueSet: http://hl7.org/fhir/ValueSet/document-reference-status|1.0.2 + references: 2, strongest binding: Required - #current: Current - #entered-in-error: Entered in Error - #superseded: Superseded - ValueSet: http://hl7.org/fhir/ValueSet/document-relationship-type|1.0.2 + references: 1, strongest binding: Required - #appends: Appends - #replaces: Replaces - #signs: Signs - #transforms: Transforms - ValueSet: http://hl7.org/fhir/ValueSet/encounter-admit-source|1.0.2 + references: 1, strongest binding: Preferred - #born: Born in hospital - #emd: From accident/emergency department - #gp: General Practitioner referral @@ -26818,6 +26931,7 @@ Value Sets: 930 (unversioned) - #psych: From psychiatric hospital - #rehab: From rehabilitation facility - ValueSet: http://hl7.org/fhir/ValueSet/encounter-class|1.0.2 + references: 1, strongest binding: Required - #ambulatory: Ambulatory - #daytime: Daytime - #emergency: Emergency @@ -26828,6 +26942,7 @@ Value Sets: 930 (unversioned) - #outpatient: Outpatient - #virtual: Virtual - ValueSet: http://hl7.org/fhir/ValueSet/encounter-diet|1.0.2 + references: 2, strongest binding: Example - #dairy-free: Dairy Free - #gluten-free: Gluten Free - #halal: Halal @@ -26836,6 +26951,7 @@ Value Sets: 930 (unversioned) - #vegan: Vegan - #vegetarian: Vegetarian - ValueSet: http://hl7.org/fhir/ValueSet/encounter-discharge-disposition|1.0.2 + references: 1, strongest binding: Preferred - #aadvice: Left against advice - #exp: Expired - #home: Home @@ -26846,11 +26962,13 @@ Value Sets: 930 (unversioned) - #psy: Psychiatric hospital - #rehab: Rehabilitation - ValueSet: http://hl7.org/fhir/ValueSet/encounter-location-status|1.0.2 + references: 1, strongest binding: Required - #active: Active - #completed: Completed - #planned: Planned - #reserved: Reserved - ValueSet: http://hl7.org/fhir/ValueSet/encounter-participant-type|1.0.2 + references: 3, strongest binding: Required - #ADM: admitter - #ATND: attender - #CALLBCK: callback contact @@ -26862,18 +26980,21 @@ Value Sets: 930 (unversioned) - #REF: referrer - #SPRF: secondary performer - ValueSet: http://hl7.org/fhir/ValueSet/encounter-priority|1.0.2 + references: 1, strongest binding: Example - #emg: Emergency - #imm: Immediate - #no-urg: Non-urgent - #s-urg: Semi-urgent - #urg: Urgent - ValueSet: http://hl7.org/fhir/ValueSet/encounter-special-arrangements|1.0.2 + references: 1, strongest binding: Preferred - #att: Attendant - #dog: Guide dog - #int: Interpreter - #stret: Stretcher - #wheel: Wheelchair - ValueSet: http://hl7.org/fhir/ValueSet/encounter-special-courtesy|1.0.2 + references: 1, strongest binding: Preferred - #EXT: extended courtesy - #NRM: normal courtesy - #PRF: professional courtesy @@ -26881,6 +27002,7 @@ Value Sets: 930 (unversioned) - #UNK: unknown - #VIP: very important person - ValueSet: http://hl7.org/fhir/ValueSet/encounter-state|1.0.2 + references: 2, strongest binding: Required - #arrived: Arrived - #cancelled: Cancelled - #finished: Finished @@ -26888,11 +27010,13 @@ Value Sets: 930 (unversioned) - #onleave: On Leave - #planned: Planned - ValueSet: http://hl7.org/fhir/ValueSet/encounter-type|1.0.2 + references: 1, strongest binding: Example - #ADMS: Annual diabetes mellitus screening - #BD/BM-clin: Bone drilling/bone marrow punction in clinic - #CCS60: Infant colon screening - 60 minutes - #OKI: Outpatient Kenacort injection - ValueSet: http://hl7.org/fhir/ValueSet/enteral-route|1.0.2 + references: 1, strongest binding: Extensible - #EFT: Instillation, enteral feeding tube - #ENTINSTL: Instillation, enteral - #GJT: Instillation, gastro-jejunostomy tube @@ -26903,12 +27027,14 @@ Value Sets: 930 (unversioned) - #OJJ: Instillation, orojejunum tube - #PO: Swallow, oral - ValueSet: http://hl7.org/fhir/ValueSet/entformula-additive|1.0.2 + references: 1, strongest binding: Example - #carbohydrate: Modular carbohydrate enteral formula component - #fiber: Modular fiber enteral formula component - #lipid: Modular lipid enteral formula component - #protein: Modular protein enteral formula component - #water: Added water - ValueSet: http://hl7.org/fhir/ValueSet/entformula-type|1.0.2 + references: 1, strongest binding: Example - #441531000124102: Standard Enteral Formula - #441561000124106: Standard enteral formula with fiber - #441571000124104: High energy enteral formula with fiber @@ -26946,6 +27072,7 @@ Value Sets: 930 (unversioned) - #443771000124106: Hydrolyzed protein formula - #444431000124104: Pediatric reduced energy formula - ValueSet: http://hl7.org/fhir/ValueSet/episode-of-care-status|1.0.2 + references: 2, strongest binding: Required - #active: Active - #cancelled: Cancelled - #finished: Finished @@ -26953,6 +27080,7 @@ Value Sets: 930 (unversioned) - #planned: Planned - #waitlist: Waitlist - ValueSet: http://hl7.org/fhir/ValueSet/event-timing|1.0.2 + references: 1, strongest binding: Required - #AC: AC - #ACD: ACD - #ACM: ACM @@ -26968,6 +27096,7 @@ Value Sets: 930 (unversioned) - #PCV: PCV - #WAKE: WAKE - ValueSet: http://hl7.org/fhir/ValueSet/example-expansion|20150622 + references: 0, strongest binding: - #14647-2: Cholesterol [Moles/volume] in Serum or Plasma - #2093-3: Cholesterol [Mass/volume] in Serum or Plasma - #2096-6: Cholesterol/Triglyceride [Mass Ratio] in Serum or Plasma @@ -26977,20 +27106,24 @@ Value Sets: 930 (unversioned) - #55838-7: Cholesterol/Phospholipid [Molar ratio] in Serum or Plasma - #9342-7: Cholesterol [Percentile] - ValueSet: http://hl7.org/fhir/ValueSet/example-extensional|20150622 + references: 0, strongest binding: - #14647-2: Cholesterol [Moles/Volume] - #2093-3: Cholesterol [Mass/Volume] - #35200-5: Cholesterol [Mass Or Moles/Volume] - #9342-7: Cholesterol [Percentile] - ValueSet: http://hl7.org/fhir/ValueSet/example-inline|20150622 + references: 0, strongest binding: - #chol: SChol - #chol-mass: SChol (mg/L) - #chol-mmol: SChol (mmol/L) - ValueSet: http://hl7.org/fhir/ValueSet/extension-context|1.0.2 + references: 1, strongest binding: Required - #datatype: Datatype - #extension: Extension - #mapping: Mapping - #resource: Resource - ValueSet: http://hl7.org/fhir/ValueSet/filter-operator|1.0.2 + references: 1, strongest binding: Required - #=: Equals - #in: In Set - #is-a: Is A (by subsumption) @@ -26998,6 +27131,7 @@ Value Sets: 930 (unversioned) - #not-in: Not in Set - #regex: Regular Expression - ValueSet: http://hl7.org/fhir/ValueSet/fips-county|1.0.2 + references: 0, strongest binding: - #01001: Autauga, AL - #01003: Baldwin, AL - #01005: Barbour, AL @@ -30294,27 +30428,33 @@ Value Sets: 930 (unversioned) - #78020: St. John, VI - #78030: St. Thomas, VI - ValueSet: http://hl7.org/fhir/ValueSet/flag-category|1.0.2 + references: 1, strongest binding: Example - #admin: Administrative - #contact: Subject contact - #diet: Diet - #drug: Drug - #lab: Lab - ValueSet: http://hl7.org/fhir/ValueSet/flag-priority|1.0.2 + references: 0, strongest binding: - #PH: High priority - #PL: Low priority - #PM: Medium priority - #PN: No alarm - ValueSet: http://hl7.org/fhir/ValueSet/flag-status|1.0.2 + references: 1, strongest binding: Required - #active: Active - #entered-in-error: Entered in Error - #inactive: Inactive - ValueSet: http://hl7.org/fhir/ValueSet/fm-conditions|1.0.2 + references: 1, strongest binding: Example - #123987: Headache - ValueSet: http://hl7.org/fhir/ValueSet/focal-subject|1.0.2 + references: 0, strongest binding: - #83418008: Fetus - #DON: donor - #SPS: spouse - ValueSet: http://hl7.org/fhir/ValueSet/formatcodes|20150326 + references: 1, strongest binding: Preferred - #urn:hl7-org:sdwg:ccda-nonXMLBody:1.1: For documents following C-CDA constraints using a non structured body. - #urn:hl7-org:sdwg:ccda-structuredBody:1.1: For documents following C-CDA constraints using a structured body. - #urn:ihe:card:CRC:2012: Cardiology CRC @@ -30387,38 +30527,46 @@ Value Sets: 930 (unversioned) - #urn:ihe:rad:PDF: Radiology XDS-I PDF - #urn:ihe:rad:TEXT: Radiology XDS-I Text - ValueSet: http://hl7.org/fhir/ValueSet/forms|1.0.2 + references: 3, strongest binding: Required - #1: - #2: - ValueSet: http://hl7.org/fhir/ValueSet/fundsreserve|1.0.2 + references: 2, strongest binding: Example - #none: - #patient: - #provider: - ValueSet: http://hl7.org/fhir/ValueSet/goal-acceptance-status|1.0.2 + references: 0, strongest binding: - #agree: Agree - #disagree: Disagree - #pending: Pending - ValueSet: http://hl7.org/fhir/ValueSet/goal-category|1.0.2 + references: 1, strongest binding: Example - #behavioral: behavioral - #dietary: dietary - #nursing: nursing - #physiotherapy: physiotherapy - #safety: safety - ValueSet: http://hl7.org/fhir/ValueSet/goal-priority|1.0.2 + references: 1, strongest binding: Preferred - #high: high - #low: low - #medium: medium - ValueSet: http://hl7.org/fhir/ValueSet/goal-relationship-type|1.0.2 + references: 0, strongest binding: - #component: Component - #other: Other - #predecessor: Predecessor - #replacement: Replacement - #successor: Successor - ValueSet: http://hl7.org/fhir/ValueSet/goal-start-event|1.0.2 + references: 1, strongest binding: Example - #308283009: Discharge from hospital - #32485007: Admission to hospital - #386216000: Childbirth - #442137000: Completion time of procedure - ValueSet: http://hl7.org/fhir/ValueSet/goal-status|1.0.2 + references: 1, strongest binding: Required - #accepted: Accepted - #achieved: Achieved - #cancelled: Cancelled @@ -30429,11 +30577,13 @@ Value Sets: 930 (unversioned) - #rejected: Rejected - #sustaining: Sustaining - ValueSet: http://hl7.org/fhir/ValueSet/goal-status-reason|1.0.2 + references: 2, strongest binding: Example - #life-event: life event - #patient-request: patient request - #replaced: replaced - #surgery: surgery - ValueSet: http://hl7.org/fhir/ValueSet/group-type|1.0.2 + references: 1, strongest binding: Required - #animal: Animal - #device: Device - #medication: Medication @@ -30441,9 +30591,11 @@ Value Sets: 930 (unversioned) - #practitioner: Practitioner - #substance: Substance - ValueSet: http://hl7.org/fhir/ValueSet/guide-dependency-type|1.0.2 + references: 1, strongest binding: Required - #inclusion: Inclusion - #reference: Reference - ValueSet: http://hl7.org/fhir/ValueSet/guide-page-kind|1.0.2 + references: 1, strongest binding: Required - #directory: Directory - #example: Example - #include: Include @@ -30452,6 +30604,7 @@ Value Sets: 930 (unversioned) - #resource: Resource - #toc: Table Of Contents - ValueSet: http://hl7.org/fhir/ValueSet/guide-resource-purpose|1.0.2 + references: 1, strongest binding: Required - #dictionary: Dictionary - #example: Example - #extension: Extension @@ -30459,16 +30612,19 @@ Value Sets: 930 (unversioned) - #profile: Profile - #terminology: Terminology - ValueSet: http://hl7.org/fhir/ValueSet/history-status|1.0.2 + references: 1, strongest binding: Required - #completed: Completed - #entered-in-error: Entered in error - #health-unknown: Health unknown - #partial: Partial - ValueSet: http://hl7.org/fhir/ValueSet/http-verb|1.0.2 + references: 1, strongest binding: Required - #DELETE: DELETE - #GET: GET - #POST: POST - #PUT: PUT - ValueSet: http://hl7.org/fhir/ValueSet/icd-10|1.0.2 + references: 1, strongest binding: Example - #112233: DIAG-4 - #123456: DIAG-1 - #123457: DIAG-1a @@ -30477,6 +30633,7 @@ Value Sets: 930 (unversioned) - #987654: DIAG-2 - #997755: DIAG-5 - ValueSet: http://hl7.org/fhir/ValueSet/identifier-type|1.0.2 + references: 2, strongest binding: Extensible - #BRN: Breed Registry Number - #DL: Driver's license number - #DR: Donor Registration Number @@ -30489,57 +30646,70 @@ Value Sets: 930 (unversioned) - #PRN: Provider number - #TAX: Tax ID number - ValueSet: http://hl7.org/fhir/ValueSet/identifier-use|1.0.2 + references: 1, strongest binding: Required - #official: Official - #secondary: Secondary - #temp: Temp - #usual: Usual - ValueSet: http://hl7.org/fhir/ValueSet/identity-assuranceLevel|1.0.2 + references: 1, strongest binding: Required - #level1: Level 1 - #level2: Level 2 - #level3: Level 3 - #level4: Level 4 - ValueSet: http://hl7.org/fhir/ValueSet/immunization-reason|1.0.2 + references: 1, strongest binding: Example - #281657000: - #429060002: - ValueSet: http://hl7.org/fhir/ValueSet/immunization-recommendation-date-criterion|1.0.2 + references: 1, strongest binding: Example - #due: Due - #earliest: Earliest Date - #latest: Latest - #overdue: Past Due Date - #recommended: Recommended - ValueSet: http://hl7.org/fhir/ValueSet/immunization-recommendation-status|1.0.2 + references: 1, strongest binding: Example - #due: Due - #overdue: Overdue - ValueSet: http://hl7.org/fhir/ValueSet/immunization-route|1.0.2 + references: 1, strongest binding: Example - #IM: Injection, intramuscular - #NASINHL: Inhalation, nasal - #PO: Swallow, oral - ValueSet: http://hl7.org/fhir/ValueSet/immunization-site|1.0.2 + references: 1, strongest binding: Example - #LA: left arm - #RA: right arm - ValueSet: http://hl7.org/fhir/ValueSet/instance-availability|1.0.2 + references: 2, strongest binding: Required - #NEARLINE: Nearline - #OFFLINE: Offline - #ONLINE: Online - #UNAVAILABLE: Unavailable - ValueSet: http://hl7.org/fhir/ValueSet/intervention|1.0.2 + references: 1, strongest binding: Example - #other: Other - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/investigation-sets|1.0.2 + references: 1, strongest binding: Example - #160237006: History/symptoms - #271336007: Examination / signs - ValueSet: http://hl7.org/fhir/ValueSet/issue-severity|1.0.2 + references: 1, strongest binding: Required - #error: Error - #fatal: Fatal - #information: Information - #warning: Warning - ValueSet: http://hl7.org/fhir/ValueSet/issue-type|1.0.2 + references: 1, strongest binding: Required - #informational: Informational Note - #invalid: Invalid Content - #processing: Processing Failure - #security: Security Problem - #transient: Transient Issue - ValueSet: http://hl7.org/fhir/ValueSet/kos-title|1.0.2 + references: 1, strongest binding: Required - #113000: Of Interest - #113001: Rejected for Quality Reasons - #113002: For Referring Provider @@ -30566,13 +30736,16 @@ Value Sets: 930 (unversioned) - #113038: Incorrect Modality Worklist Entry - #113039: Data Retention Policy Expired - ValueSet: http://hl7.org/fhir/ValueSet/ldlcholesterol-codes|1.0.0 + references: 1, strongest binding: Required - #13457-7: LDL Cholesterol (Calc) - #18262-6: LDL Cholesterol (Assay) - ValueSet: http://hl7.org/fhir/ValueSet/link-type|1.0.2 + references: 1, strongest binding: Required - #refer: Refer - #replace: Replace - #seealso: See also - ValueSet: http://hl7.org/fhir/ValueSet/list-empty-reason|1.0.2 + references: 2, strongest binding: Extensible - #closed: Closed - #nilknown: Nil Known - #notasked: Not Asked @@ -30580,6 +30753,7 @@ Value Sets: 930 (unversioned) - #unavailable: Unavailable - #withheld: Information Withheld - ValueSet: http://hl7.org/fhir/ValueSet/list-example-codes|1.0.2 + references: 1, strongest binding: Example - #adverserxns: Adverse Reactions - #alerts: Alerts - #allergies: Allergies @@ -30590,6 +30764,7 @@ Value Sets: 930 (unversioned) - #waiting: Waiting List - #worklist: Worklist - ValueSet: http://hl7.org/fhir/ValueSet/list-item-flag|1 + references: 1, strongest binding: Example - #01: Unchanged - #02: Changed - #03: Cancelled @@ -30597,10 +30772,12 @@ Value Sets: 930 (unversioned) - #05: Ceased - #06: Suspended - ValueSet: http://hl7.org/fhir/ValueSet/list-mode|1.0.2 + references: 2, strongest binding: Required - #changes: Change List - #snapshot: Snapshot List - #working: Working List - ValueSet: http://hl7.org/fhir/ValueSet/list-order|1.0.2 + references: 2, strongest binding: Preferred - #alphabetic: Sorted Alphabetically - #category: Sorted by Category - #entry-date: Sorted by Item Date @@ -30610,13 +30787,16 @@ Value Sets: 930 (unversioned) - #system: Sorted by System - #user: Sorted by User - ValueSet: http://hl7.org/fhir/ValueSet/list-status|1.0.2 + references: 1, strongest binding: Required - #current: Current - #entered-in-error: Entered In Error - #retired: Retired - ValueSet: http://hl7.org/fhir/ValueSet/location-mode|1.0.2 + references: 1, strongest binding: Required - #instance: Instance - #kind: Kind - ValueSet: http://hl7.org/fhir/ValueSet/location-physical-type|1.0.2 + references: 1, strongest binding: Example - #area: Area - #bd: Bed - #bu: Building @@ -30630,10 +30810,12 @@ Value Sets: 930 (unversioned) - #ve: Vehicle - #wi: Wing - ValueSet: http://hl7.org/fhir/ValueSet/location-status|1.0.2 + references: 1, strongest binding: Required - #active: Active - #inactive: Inactive - #suspended: Suspended - ValueSet: http://hl7.org/fhir/ValueSet/marital-status|1.0.2 + references: 1, strongest binding: Required - #A: Annulled - #D: Divorced - #I: Interlocutory @@ -30645,6 +30827,7 @@ Value Sets: 930 (unversioned) - #UNK: unknown - #W: Widowed - ValueSet: http://hl7.org/fhir/ValueSet/measurement-principle|1.0.2 + references: 1, strongest binding: Required - #acoustical: MSP Acoustical - #biological: MSP Biological - #chemical: MSP Chemical @@ -30657,18 +30840,21 @@ Value Sets: 930 (unversioned) - #other: MSP Other - #thermal: MSP Thermal - ValueSet: http://hl7.org/fhir/ValueSet/medication-admin-status|1.0.2 + references: 2, strongest binding: Required - #completed: Completed - #entered-in-error: Entered in Error - #in-progress: In Progress - #on-hold: On Hold - #stopped: Stopped - ValueSet: http://hl7.org/fhir/ValueSet/medication-dispense-status|1.0.2 + references: 1, strongest binding: Required - #completed: Completed - #entered-in-error: Entered in-Error - #in-progress: In Progress - #on-hold: On Hold - #stopped: Stopped - ValueSet: http://hl7.org/fhir/ValueSet/medication-order-status|1.0.2 + references: 1, strongest binding: Required - #active: Active - #completed: Completed - #draft: Draft @@ -30676,14 +30862,17 @@ Value Sets: 930 (unversioned) - #on-hold: On Hold - #stopped: Stopped - ValueSet: http://hl7.org/fhir/ValueSet/medication-statement-status|1.0.2 + references: 1, strongest binding: Required - #active: Active - #completed: Completed - #entered-in-error: Entered in Error - #intended: Intended - ValueSet: http://hl7.org/fhir/ValueSet/message-conformance-event-mode|1.0.2 + references: 1, strongest binding: Required - #receiver: Receiver - #sender: Sender - ValueSet: http://hl7.org/fhir/ValueSet/message-events|1.0.2 + references: 2, strongest binding: Preferred - #admin-notify: admin-notify - #diagnosticreport-provide: diagnosticreport-provide - #MedicationAdministration-Complete: MedicationAdministration-Complete @@ -30695,6 +30884,7 @@ Value Sets: 930 (unversioned) - #patient-unlink: patient-unlink - #valueset-expand: valueset-expand - ValueSet: http://hl7.org/fhir/ValueSet/message-reason-encounter|1.0.2 + references: 1, strongest binding: Example - #absent: Absent - #admit: Admit - #discharge: Discharge @@ -30702,29 +30892,35 @@ Value Sets: 930 (unversioned) - #moved: Moved - #return: Returned - ValueSet: http://hl7.org/fhir/ValueSet/message-significance-category|1.0.2 + references: 1, strongest binding: Required - #Consequence: Consequence - #Currency: Currency - #Notification: Notification - ValueSet: http://hl7.org/fhir/ValueSet/message-transport|1.0.2 + references: 1, strongest binding: Extensible - #ftp: FTP - #http: HTTP - #mllp: MLLP - ValueSet: http://hl7.org/fhir/ValueSet/metric-calibration-state|1.0.2 + references: 1, strongest binding: Required - #calibrated: Calibrated - #calibration-required: Calibration Required - #not-calibrated: Not Calibrated - #unspecified: Unspecified - ValueSet: http://hl7.org/fhir/ValueSet/metric-calibration-type|1.0.2 + references: 1, strongest binding: Required - #gain: Gain - #offset: Offset - #two-point: Two Point - #unspecified: Unspecified - ValueSet: http://hl7.org/fhir/ValueSet/metric-category|1.0.2 + references: 1, strongest binding: Required - #calculation: Calculation - #measurement: Measurement - #setting: Setting - #unspecified: Unspecified - ValueSet: http://hl7.org/fhir/ValueSet/metric-color|1.0.2 + references: 1, strongest binding: Required - #black: Color Black - #blue: Color Blue - #cyan: Color Cyan @@ -30734,15 +30930,18 @@ Value Sets: 930 (unversioned) - #white: Color White - #yellow: Color Yellow - ValueSet: http://hl7.org/fhir/ValueSet/metric-operational-status|1.0.2 + references: 1, strongest binding: Required - #off: Off - #on: On - #standby: Standby - ValueSet: http://hl7.org/fhir/ValueSet/missing-tooth-reason|1.0.2 + references: 1, strongest binding: Example - #C: C - #E: E - #O: O - #U: U - ValueSet: http://hl7.org/fhir/ValueSet/modified-foodtype|1.0.2 + references: 1, strongest binding: Example - #102263004: Eggs - #226529007: Starchy food - #226760005: Dairy foods @@ -30758,6 +30957,7 @@ Value Sets: 930 (unversioned) - #72511004: Fruit - #74242007: Food Starch - ValueSet: http://hl7.org/fhir/ValueSet/name-part-qualifier|1.0.2 + references: 0, strongest binding: - #AC: academic - #AD: acquired - #BR: birth @@ -30770,6 +30970,7 @@ Value Sets: 930 (unversioned) - #PR: professional - #SP: spouse - ValueSet: http://hl7.org/fhir/ValueSet/name-use|1.0.2 + references: 1, strongest binding: Required - #anonymous: Anonymous - #maiden: Maiden - #nickname: Nickname @@ -30778,26 +30979,31 @@ Value Sets: 930 (unversioned) - #temp: Temp - #usual: Usual - ValueSet: http://hl7.org/fhir/ValueSet/namingsystem-identifier-type|1.0.2 + references: 1, strongest binding: Required - #oid: OID - #other: Other - #uri: URI - #uuid: UUID - ValueSet: http://hl7.org/fhir/ValueSet/namingsystem-type|1.0.2 + references: 1, strongest binding: Required - #codesystem: Code System - #identifier: Identifier - #root: Root - ValueSet: http://hl7.org/fhir/ValueSet/narrative-status|1.0.2 + references: 1, strongest binding: Required - #additional: Additional - #empty: Empty - #extensions: Extensions - #generated: Generated - ValueSet: http://hl7.org/fhir/ValueSet/network-type|1.0.2 + references: 1, strongest binding: Required - #1: Machine Name - #2: IP Address - #3: Telephone Number - #4: Email address - #5: URI - ValueSet: http://hl7.org/fhir/ValueSet/nhin-purposeofuse|2.0 + references: 0, strongest binding: - #ABUSE: Abuse - #COVERAGE: Coverage - #DECEASED: Deceased @@ -30826,19 +31032,23 @@ Value Sets: 930 (unversioned) - #TREATMENT: Treatment - #WORKERSCOMP: Worker's Comp - ValueSet: http://hl7.org/fhir/ValueSet/no-immunization-reason|1.0.2 + references: 1, strongest binding: Example - #IMMUNE: immunity - #MEDPREC: medical precaution - #OSTOCK: product out of stock - #PATOBJ: patient objection - ValueSet: http://hl7.org/fhir/ValueSet/note-type|1.0.2 + references: 3, strongest binding: Required - #display: Display - #print: Print (Form) - #printoper: Print (Operator) - ValueSet: http://hl7.org/fhir/ValueSet/nutrient-code|1.0.2 + references: 1, strongest binding: Example - #33463005: Fluid - #39972003: Sodium - #88480006: Potassium - ValueSet: http://hl7.org/fhir/ValueSet/nutrition-order-status|1.0.2 + references: 1, strongest binding: Required - #active: Active - #cancelled: Cancelled - #completed: Completed @@ -30848,6 +31058,7 @@ Value Sets: 930 (unversioned) - #proposed: Proposed - #requested: Requested - ValueSet: http://hl7.org/fhir/ValueSet/object-lifecycle|1.0.2 + references: 1, strongest binding: Extensible - #1: Origination / Creation - #10: Export / Copy to target - #11: Disclosure @@ -30864,6 +31075,7 @@ Value Sets: 930 (unversioned) - #8: Aggregation, summarization, derivation - #9: Report - ValueSet: http://hl7.org/fhir/ValueSet/object-role|1.0.2 + references: 1, strongest binding: Extensible - #1: Patient - #10: Guarantor - #11: Security User Entity @@ -30889,11 +31101,13 @@ Value Sets: 930 (unversioned) - #8: Doctor - #9: Subscriber - ValueSet: http://hl7.org/fhir/ValueSet/object-type|1.0.2 + references: 1, strongest binding: Extensible - #1: Person - #2: System Object - #3: Organization - #4: Other - ValueSet: http://hl7.org/fhir/ValueSet/observation-category|1.0.2 + references: 1, strongest binding: Example - #exam: Exam - #imaging: Imaging - #laboratory: Laboratory @@ -30903,6 +31117,7 @@ Value Sets: 930 (unversioned) - #therapy: Therapy - #vital-signs: Vital Signs - ValueSet: http://hl7.org/fhir/ValueSet/observation-interpretation|1.0.2 + references: 1, strongest binding: Extensible - #<: Off scale low - #>: Off scale high - #A: Abnormal @@ -30937,6 +31152,7 @@ Value Sets: 930 (unversioned) - #W: Worse - #WR: Weakly reactive - ValueSet: http://hl7.org/fhir/ValueSet/observation-methods|1.0.2 + references: 1, strongest binding: Example - #_DecisionObservationMethod: DecisionObservationMethod - #_GeneticObservationMethod: GeneticObservationMethod - #_ObservationMethodAggregate: observation method aggregate @@ -31241,6 +31457,7 @@ Value Sets: 930 (unversioned) - #VTOKEN: electronic token verification - #VVOICE: voice-based verification - ValueSet: http://hl7.org/fhir/ValueSet/observation-relationshiptypes|1.0.2 + references: 1, strongest binding: Required - #derived-from: Derived From - #has-member: Has Member - #interfered-by: Interfered By @@ -31248,6 +31465,7 @@ Value Sets: 930 (unversioned) - #replaces: Replaces - #sequel-to: Sequel To - ValueSet: http://hl7.org/fhir/ValueSet/observation-status|1.0.2 + references: 1, strongest binding: Required - #amended: Amended - #cancelled: cancelled - #entered-in-error: Entered in Error @@ -31256,6 +31474,7 @@ Value Sets: 930 (unversioned) - #registered: Registered - #unknown: Unknown Status - ValueSet: http://hl7.org/fhir/ValueSet/observation-valueabsentreason|1.0.2 + references: 2, strongest binding: Extensible - #asked: Asked - #astext: As Text - #error: Error @@ -31266,9 +31485,11 @@ Value Sets: 930 (unversioned) - #unknown: Unknown - #unsupported: Unsupported - ValueSet: http://hl7.org/fhir/ValueSet/operation-kind|1.0.2 + references: 1, strongest binding: Required - #operation: Operation - #query: Query - ValueSet: http://hl7.org/fhir/ValueSet/operation-outcome|1.0.2 + references: 1, strongest binding: Example - #MSG_AUTH_REQUIRED: You must authenticate before you can use this service - #MSG_BAD_FORMAT: Bad Syntax: "%s" must be a %s' - #MSG_BAD_SYNTAX: Bad Syntax in %s @@ -31319,14 +31540,17 @@ Value Sets: 930 (unversioned) - #SEARCH_NONE: Error: no processable search found for %s search parameters "%s" - #UPDATE_MULTIPLE_MATCHES: Error: Multiple matches exist for the conditional update - ValueSet: http://hl7.org/fhir/ValueSet/operation-parameter-use|1.0.2 + references: 1, strongest binding: Required - #in: In - #out: Out - ValueSet: http://hl7.org/fhir/ValueSet/oral-prosthodontic-material|1.0.2 + references: 1, strongest binding: Example - #1: Fixed Bridge - #2: Maryland Bridge - #3: Denture Acrylic - #4: Denture Chrome Cobalt - ValueSet: http://hl7.org/fhir/ValueSet/order-status|1.0.2 + references: 1, strongest binding: Required - #aborted: Aborted - #accepted: Accepted - #cancelled: Cancelled @@ -31336,6 +31560,7 @@ Value Sets: 930 (unversioned) - #rejected: Rejected - #review: Review - ValueSet: http://hl7.org/fhir/ValueSet/organization-type|1.0.2 + references: 1, strongest binding: Example - #bus: Non-Healthcare Business or Corporation - #cg: Community Group - #crs: Clinical Research Sponsor @@ -31348,6 +31573,7 @@ Value Sets: 930 (unversioned) - #reli: Religious Institution - #team: Organizational team - ValueSet: http://hl7.org/fhir/ValueSet/parent-relationship-codes|1.0.2 + references: 0, strongest binding: - #ADOPTF: adoptive father - #ADOPTM: adoptive mother - #ADOPTP: adoptive parent @@ -31370,10 +31596,12 @@ Value Sets: 930 (unversioned) - #STPPRN: step parent - #TWIN: twin - ValueSet: http://hl7.org/fhir/ValueSet/participantrequired|1.0.2 + references: 1, strongest binding: Required - #information-only: Information Only - #optional: Optional - #required: Required - ValueSet: http://hl7.org/fhir/ValueSet/participantstatus|1.0.2 + references: 1, strongest binding: Required - #accepted: Accepted - #completed: Completed - #declined: Declined @@ -31381,11 +31609,13 @@ Value Sets: 930 (unversioned) - #needs-action: Needs Action - #tentative: Tentative - ValueSet: http://hl7.org/fhir/ValueSet/participationstatus|1.0.2 + references: 1, strongest binding: Required - #accepted: Accepted - #declined: Declined - #needs-action: Needs Action - #tentative: Tentative - ValueSet: http://hl7.org/fhir/ValueSet/patient-contact-relationship|1.0.2 + references: 1, strongest binding: Required - #agent: Agent - #caregiver: Caregiver - #emergency: Emergency @@ -31398,22 +31628,27 @@ Value Sets: 930 (unversioned) - #partner: Partner - #work: Work - ValueSet: http://hl7.org/fhir/ValueSet/patient-mpi-match|1.0.2 + references: 0, strongest binding: - #certain: Certain Match - #certainly-not: Certainly Not a Match - #possible: Possible Match - #probable: Probable Match - ValueSet: http://hl7.org/fhir/ValueSet/payeetype|1.0.2 + references: 2, strongest binding: Example - #other: - #provider: - #subscriber: - ValueSet: http://hl7.org/fhir/ValueSet/payment-status|1.0.2 + references: 1, strongest binding: Example - #cleared: - #paid: - ValueSet: http://hl7.org/fhir/ValueSet/payment-type|1.0.2 + references: 1, strongest binding: Example - #adjustment: - #advance: - #payment: - ValueSet: http://hl7.org/fhir/ValueSet/postal-address-use|1.0.2 + references: 0, strongest binding: - #BAD: bad address - #CONF: confidential address - #DIR: direct @@ -31423,6 +31658,7 @@ Value Sets: 930 (unversioned) - #PST: postal address - #PUB: public - ValueSet: http://hl7.org/fhir/ValueSet/practitioner-role|1.0.2 + references: 1, strongest binding: Example - #doctor: Doctor - #ict: ICT professional - #nurse: Nurse @@ -31430,12 +31666,14 @@ Value Sets: 930 (unversioned) - #researcher: Researcher - #teacher: Teacher/educator - ValueSet: http://hl7.org/fhir/ValueSet/practitioner-specialty|1.0.2 + references: 2, strongest binding: Example - #cardio: Cardiologist - #dent: Dentist - #dietary: Dietary consultant - #midw: Midwife - #sysarch: Systems architect - ValueSet: http://hl7.org/fhir/ValueSet/probability-distribution-type|1.0.2 + references: 0, strongest binding: - #B: beta - #E: exponential - #F: F @@ -31446,6 +31684,7 @@ Value Sets: 930 (unversioned) - #U: uniform - #X2: chi square - ValueSet: http://hl7.org/fhir/ValueSet/procedure-category|1.0.2 + references: 1, strongest binding: Example - #103693007: - #24642003: - #387713003: @@ -31453,6 +31692,7 @@ Value Sets: 930 (unversioned) - #409073007: - #46947000: - ValueSet: http://hl7.org/fhir/ValueSet/procedure-followup|1.0.2 + references: 1, strongest binding: Example - #18949003: - #225164002: - #229506003: @@ -31464,10 +31704,12 @@ Value Sets: 930 (unversioned) - #394725008: - #447346005: - ValueSet: http://hl7.org/fhir/ValueSet/procedure-outcome|1.0.2 + references: 1, strongest binding: Example - #385669000: - #385670004: - #385671000: - ValueSet: http://hl7.org/fhir/ValueSet/procedure-progress-status-codes|1.0.2 + references: 0, strongest binding: - #a: In Operating Room - #b: Prepared - #c: Anesthesia induced @@ -31475,14 +31717,17 @@ Value Sets: 930 (unversioned) - #e: Closed (skin) - #f: In Recovery Room - ValueSet: http://hl7.org/fhir/ValueSet/procedure-relationship-type|1.0.2 + references: 0, strongest binding: - #because-of: Because Of - #caused-by: Caused By - ValueSet: http://hl7.org/fhir/ValueSet/procedure-request-priority|1.0.2 + references: 1, strongest binding: Required - #asap: ASAP - #routine: Routine - #stat: Stat - #urgent: Urgent - ValueSet: http://hl7.org/fhir/ValueSet/procedure-request-status|1.0.2 + references: 1, strongest binding: Required - #aborted: Aborted - #accepted: Accepted - #completed: Completed @@ -31494,21 +31739,26 @@ Value Sets: 930 (unversioned) - #requested: Requested - #suspended: Suspended - ValueSet: http://hl7.org/fhir/ValueSet/procedure-status|1.0.2 + references: 1, strongest binding: Required - #aborted: Aboted - #completed: Completed - #entered-in-error: Entered in Error - #in-progress: In Progress - ValueSet: http://hl7.org/fhir/ValueSet/process-outcome|1.0.2 + references: 1, strongest binding: Example - #complete: - #error: - #pended: - ValueSet: http://hl7.org/fhir/ValueSet/process-priority|1.0.2 + references: 1, strongest binding: Example - #deferred: Deferred - #normal: Normal - #stat: Immediate - ValueSet: http://hl7.org/fhir/ValueSet/property-representation|1.0.2 + references: 1, strongest binding: Required - #xmlAttr: XML Attribute - ValueSet: http://hl7.org/fhir/ValueSet/provenance-agent-role|1.0.2 + references: 1, strongest binding: Extensible - #assembler: Assembler - #attester: Attester - #author: Author @@ -31519,6 +31769,7 @@ Value Sets: 930 (unversioned) - #performer: Performer - #verifier: Verifier - ValueSet: http://hl7.org/fhir/ValueSet/provenance-agent-type|1.0.2 + references: 0, strongest binding: - #device: Device - #organization: Organization - #patient: Patient @@ -31527,8 +31778,10 @@ Value Sets: 930 (unversioned) - #related-person: Related Person - #software: Software - ValueSet: http://hl7.org/fhir/ValueSet/provenance-entity-role|1.0.2 + references: 1, strongest binding: Required - #derivation: Derivation - ValueSet: http://hl7.org/fhir/ValueSet/qicore-adverseevent-category|1.0.2 + references: 0, strongest binding: - #blood: Blood or Blood Product - #device: Device, Materials, or Information Technology - #embolism: Venous Thromboembolism @@ -31540,10 +31793,12 @@ Value Sets: 930 (unversioned) - #surgery: Surgery or Anesthesia - #ulcer: Pressure Ulcer - ValueSet: http://hl7.org/fhir/ValueSet/qicore-adverseevent-type|1.0.2 + references: 0, strongest binding: - #incident: Incident - #near-miss: Near Miss - #unsafe: Unsafe Condition - ValueSet: http://hl7.org/fhir/ValueSet/qicore-appropriateness-score|1.0.2 + references: 1, strongest binding: Required - #appropriate: Appropriate - #extremely-appropriate: Extremely Appropriate - #extremely-inappropriate: Extremely Inappropriate @@ -31554,6 +31809,7 @@ Value Sets: 930 (unversioned) - #uncertain-appropriate: Uncertain Appropriate - #uncertain-inappropriate: Uncertain Inappropriate - ValueSet: http://hl7.org/fhir/ValueSet/qicore-communication-medium|1.0.2 + references: 2, strongest binding: Example - #device: Via medical device - #email: Electronic mail (email) - #fax: Facsimile (fax) @@ -31567,6 +31823,7 @@ Value Sets: 930 (unversioned) - #video: Video call - #voicemail: Voice message (voicemail) - ValueSet: http://hl7.org/fhir/ValueSet/qicore-condition-criticality|1.0.2 + references: 0, strongest binding: - #controllable: Controllable - #functional-loss: Potential loss of function or capacity - #life-threatening: Life Threatening @@ -31574,16 +31831,19 @@ Value Sets: 930 (unversioned) - #self-resolving: Expected to Self-Resolve - #unspecified: Not Specified - ValueSet: http://hl7.org/fhir/ValueSet/qicore-diagnosticorder-precondition|1.0.2 + references: 0, strongest binding: - #1: After activity - #2: At rest - #3: Post-op - ValueSet: http://hl7.org/fhir/ValueSet/qicore-encounter-canceled-reason|1.0.2 + references: 0, strongest binding: - #ALTD: altered decision - #BLK: Unexpected Block (of Schedule) - #DEC: Patient Deceased - #FIN: No Financial Backing - #MED: Medical Status Altered - ValueSet: http://hl7.org/fhir/ValueSet/qicore-flag-category|1.0.2 + references: 1, strongest binding: Example - #ADM: Administrative - #ADV: Advance Directive - #BH: Behavioral @@ -31592,20 +31852,24 @@ Value Sets: 930 (unversioned) - #RES: Research - #SC: Special Circumstances - ValueSet: http://hl7.org/fhir/ValueSet/qicore-goal-reason-rejected|1.0.2 + references: 0, strongest binding: - #ALTD: altered decision - #BLK: Unexpected Block (of Schedule) - #DEC: Patient Deceased - #FIN: No Financial Backing - #MED: Medical Status Altered - ValueSet: http://hl7.org/fhir/ValueSet/qicore-observation-delta|0.1.0 + references: 0, strongest binding: - #B: Better - #D: Significant change down - #U: Significant change up - #W: Worse - ValueSet: http://hl7.org/fhir/ValueSet/qicore-observation-verification|1.0.2 + references: 0, strongest binding: - #1: Human review - #2: Sliding average - ValueSet: http://hl7.org/fhir/ValueSet/qicore-patient-military-service|1.0.2 + references: 0, strongest binding: - #active-duty: Active Duty - #active-reserve: Active Reserve - #inactive-reserve: Inactive Reserve @@ -31613,23 +31877,28 @@ Value Sets: 930 (unversioned) - #not-indicated: Not Indicated - #veteran: Veteran - ValueSet: http://hl7.org/fhir/ValueSet/quantity-comparator|1.0.2 + references: 1, strongest binding: Required - #<: Less than - #<=: Less or Equal to - #>: Greater than - #>=: Greater or Equal to - ValueSet: http://hl7.org/fhir/ValueSet/question-max-occurs|1.0.2 + references: 0, strongest binding: - #*: Repeating - ValueSet: http://hl7.org/fhir/ValueSet/questionnaire-answers-status|1.0.2 + references: 1, strongest binding: Required - #amended: Amended - #completed: Completed - #in-progress: In Progress - ValueSet: http://hl7.org/fhir/ValueSet/questionnaire-category|1.0.2 + references: 0, strongest binding: - #273384008: Consumer satisfaction questionnaire - #273479001: General health questionnaire - #273601006: Mental status questionnaire - #273820006: Social support questionnaire - #304794009: Administrative form - ValueSet: http://hl7.org/fhir/ValueSet/questionnaire-question-control|1.0.2 + references: 0, strongest binding: - #autocomplete: Auto-complete - #check-box: Check-box - #drop-down: Drop down @@ -31639,31 +31908,38 @@ Value Sets: 930 (unversioned) - #spinner: Spinner - #text-box: Text Box - ValueSet: http://hl7.org/fhir/ValueSet/questionnaire-status|1.0.2 + references: 1, strongest binding: Required - #draft: Draft - #published: Published - #retired: Retired - ValueSet: http://hl7.org/fhir/ValueSet/reaction-event-certainty|1.0.2 + references: 1, strongest binding: Required - #confirmed: Confirmed - #likely: Likely - #unlikely: Unlikely - ValueSet: http://hl7.org/fhir/ValueSet/reaction-event-severity|1.0.2 + references: 1, strongest binding: Required - #mild: Mild - #moderate: Moderate - #severe: Severe - ValueSet: http://hl7.org/fhir/ValueSet/reason-medication-given-codes|1.0.2 + references: 1, strongest binding: Example - #a: None - #b: Given as Ordered - #c: Emergency - ValueSet: http://hl7.org/fhir/ValueSet/reason-medication-not-given-codes|1.0.2 + references: 2, strongest binding: Example - #a: None - #b: Away - #c: Asleep - #d: Vomit - ValueSet: http://hl7.org/fhir/ValueSet/referencerange-meaning|1.0.2 + references: 1, strongest binding: Example - #248152002: - #248153007: - #77386006: - ValueSet: http://hl7.org/fhir/ValueSet/referralstatus|1.0.2 + references: 1, strongest binding: Required - #accepted: Accepted - #active: Active - #cancelled: Cancelled @@ -31672,6 +31948,7 @@ Value Sets: 930 (unversioned) - #rejected: Rejected - #requested: Requested - ValueSet: http://hl7.org/fhir/ValueSet/relatedperson-relationshiptype|1.0.2 + references: 1, strongest binding: Required - #_PersonalRelationshipRoleType: PersonalRelationshipRoleType - #ADOPTF: adoptive father - #ADOPTM: adoptive mother @@ -31783,22 +32060,27 @@ Value Sets: 930 (unversioned) - #UNCLE: uncle - #WIFE: wife - ValueSet: http://hl7.org/fhir/ValueSet/relationship|1.0.2 + references: 3, strongest binding: Example - #1: - #2: - #3: - #4: - #5: - ValueSet: http://hl7.org/fhir/ValueSet/remittance-outcome|1.0.2 + references: 5, strongest binding: Required - #complete: Complete - #error: Error - ValueSet: http://hl7.org/fhir/ValueSet/resource-aggregation-mode|1.0.2 + references: 1, strongest binding: Required - #contained: Contained - #referenced: Referenced - ValueSet: http://hl7.org/fhir/ValueSet/resource-slicing-rules|1.0.2 + references: 1, strongest binding: Required - #closed: Closed - #open: Open - #openAtEnd: Open at End - ValueSet: http://hl7.org/fhir/ValueSet/resource-types|1.0.2 + references: 10, strongest binding: Required - #Account: Account - #AllergyIntolerance: AllergyIntolerance - #Appointment: Appointment @@ -31896,17 +32178,21 @@ Value Sets: 930 (unversioned) - #ValueSet: ValueSet - #VisionPrescription: VisionPrescription - ValueSet: http://hl7.org/fhir/ValueSet/resource-validation-mode|1.0.2 + references: 0, strongest binding: - #create: Validate for Create - #delete: Validate for Delete - #update: Validate for Update - ValueSet: http://hl7.org/fhir/ValueSet/response-code|1.0.2 + references: 1, strongest binding: Required - #fatal-error: Fatal Error - #ok: OK - #transient-error: Transient Error - ValueSet: http://hl7.org/fhir/ValueSet/restful-conformance-mode|1.0.2 + references: 1, strongest binding: Required - #client: Client - #server: Server - ValueSet: http://hl7.org/fhir/ValueSet/restful-security-service|1.0.2 + references: 1, strongest binding: Extensible - #Basic: Basic - #Certificates: Certificates - #Kerberos: Kerberos @@ -31914,12 +32200,14 @@ Value Sets: 930 (unversioned) - #OAuth: OAuth - #SMART-on-FHIR: SMART-on-FHIR - ValueSet: http://hl7.org/fhir/ValueSet/risk-probability|1.0.2 + references: 1, strongest binding: Example - #certain: Certain - #high: High likelihood - #low: Low likelihood - #moderate: Moderate likelihood - #negligible: Negligible likelihood - ValueSet: http://hl7.org/fhir/ValueSet/ruleset|1.0.2 + references: 24, strongest binding: Example - #cdanet-v2: - #cdanet-v4: - #cpha-3: @@ -31927,17 +32215,21 @@ Value Sets: 930 (unversioned) - #x12-5010: - #x12-7010: - ValueSet: http://hl7.org/fhir/ValueSet/sdc-dex-mimetype|1.0.2 + references: 0, strongest binding: - #application/sparql-results+xml: SPARQL - #application/sql: SQL - #application/xquery: X-Query - ValueSet: http://hl7.org/fhir/ValueSet/sdc-group-special-type|1.0.2 + references: 0, strongest binding: - #footer: Footer - #header: Header - ValueSet: http://hl7.org/fhir/ValueSet/search-entry-mode|1.0.2 + references: 1, strongest binding: Required - #include: Include - #match: Match - #outcome: Outcome - ValueSet: http://hl7.org/fhir/ValueSet/search-modifier-code|1.0.2 + references: 1, strongest binding: Required - #above: Above - #below: Below - #contains: Contains @@ -31949,6 +32241,7 @@ Value Sets: 930 (unversioned) - #text: Text - #type: Type - ValueSet: http://hl7.org/fhir/ValueSet/search-param-type|1.0.2 + references: 2, strongest binding: Required - #composite: Composite - #date: Date/DateTime - #number: Number @@ -31958,28 +32251,34 @@ Value Sets: 930 (unversioned) - #token: Token - #uri: URI - ValueSet: http://hl7.org/fhir/ValueSet/search-xpath-usage|1.0.2 + references: 1, strongest binding: Required - #distance: Distance - #nearby: Nearby - #normal: Normal - #other: Other - #phonetic: Phonetic - ValueSet: http://hl7.org/fhir/ValueSet/service-pharmacy|1.0.2 + references: 0, strongest binding: - #flushot: Flu Shot - #smokecess: Smoking cessation - ValueSet: http://hl7.org/fhir/ValueSet/service-product|1.0.2 + references: 0, strongest binding: - #exam: Exam - #flushot: Flu shot - ValueSet: http://hl7.org/fhir/ValueSet/service-provision-conditions|1.0.2 + references: 1, strongest binding: Example - #cost: Fees apply - #disc: Discounts Available - #free: Free - ValueSet: http://hl7.org/fhir/ValueSet/service-referral-method|1.0.2 + references: 1, strongest binding: Example - #elec: Secure Messaging - #fax: Fax - #mail: Mail - #phone: Phone - #semail: Secure Email - ValueSet: http://hl7.org/fhir/ValueSet/service-uscls|1.0.2 + references: 5, strongest binding: Example - #1101: Exam, comp, primary - #1102: Exam, comp, mixed - #1103: Exam, comp, permanent @@ -32000,6 +32299,7 @@ Value Sets: 930 (unversioned) - #99333: Lab, in office - #99555: Expense - ValueSet: http://hl7.org/fhir/ValueSet/signature-type|1.0.2 + references: 1, strongest binding: Preferred - #1.2.840.10065.1.12.1.1: AuthorID - #1.2.840.10065.1.12.1.10: Identity-Witness - #1.2.840.10065.1.12.1.11: Consent-Witness @@ -32018,11 +32318,13 @@ Value Sets: 930 (unversioned) - #1.2.840.10065.1.12.1.8: Witness - #1.2.840.10065.1.12.1.9: Event-Witness - ValueSet: http://hl7.org/fhir/ValueSet/slotstatus|1.0.2 + references: 1, strongest binding: Required - #busy: Busy - #busy-tentative: Busy (Tentative) - #busy-unavailable: Busy (Unavailable) - #free: Free - ValueSet: http://hl7.org/fhir/ValueSet/special-values|1.0.2 + references: 0, strongest binding: - #false: false - #nil-known: Nil Known - #sufficient: Sufficient Quantity @@ -32030,6 +32332,7 @@ Value Sets: 930 (unversioned) - #true: true - #withdrawn: Value Withdrawn - ValueSet: http://hl7.org/fhir/ValueSet/specimen-collection-method|1.0.2 + references: 1, strongest binding: Example - #119295008: Specimen obtained by aspiration - #16404004: Induced - #20255002: Blushing @@ -32086,6 +32389,7 @@ Value Sets: 930 (unversioned) - #VENIP: Venipuncture - #WOOD: Swab, Wooden Shaft - ValueSet: http://hl7.org/fhir/ValueSet/specimen-collection-priority|1.0.2 + references: 0, strongest binding: - #1: STAT - #2: ASAP - #3: ASAP-ED @@ -32094,11 +32398,13 @@ Value Sets: 930 (unversioned) - #6: NURSE COLLECT - #7: CALL OR FAX - ValueSet: http://hl7.org/fhir/ValueSet/specimen-status|1.0.2 + references: 1, strongest binding: Required - #available: Available - #entered-in-error: Entered-in-error - #unavailable: Unavailable - #unsatisfactory: Unsatisfactory - ValueSet: http://hl7.org/fhir/ValueSet/specimen-treatment-procedure|1.0.2 + references: 1, strongest binding: Example - #ACID: Acidification - #ALK: Alkalization - #DEFB: Defibrination @@ -32108,24 +32414,29 @@ Value Sets: 930 (unversioned) - #RECA: Recalification - #UFIL: Ultrafiltration - ValueSet: http://hl7.org/fhir/ValueSet/structure-definition-kind|1.0.2 + references: 1, strongest binding: Required - #datatype: Data Type - #logical: Logical Model - #resource: Resource - ValueSet: http://hl7.org/fhir/ValueSet/subscription-channel-type|1.0.2 + references: 1, strongest binding: Required - #email: Email - #message: Message - #rest-hook: Rest Hook - #sms: SMS - #websocket: Websocket - ValueSet: http://hl7.org/fhir/ValueSet/subscription-status|1.0.2 + references: 1, strongest binding: Required - #active: Active - #error: Error - #off: Off - #requested: Requested - ValueSet: http://hl7.org/fhir/ValueSet/subscription-tag|1.0.2 + references: 1, strongest binding: Example - #delivered: Delivered - #queued: Queued - ValueSet: http://hl7.org/fhir/ValueSet/substance-category|1.0.2 + references: 1, strongest binding: Extensible - #allergen: Allergen - #biological: Biological Substance - #body: Body Substance @@ -32134,6 +32445,7 @@ Value Sets: 930 (unversioned) - #food: Dietary Substance - #material: Material - ValueSet: http://hl7.org/fhir/ValueSet/supplement-type|1.0.2 + references: 1, strongest binding: Example - #441531000124102: Standard Enteral Formula - #441561000124106: Standard enteral formula with fiber - #441571000124104: High energy enteral formula with fiber @@ -32180,24 +32492,30 @@ Value Sets: 930 (unversioned) - #444401000124107: Frozen electrolyte replacement supplement - #444431000124104: Pediatric reduced energy formula - ValueSet: http://hl7.org/fhir/ValueSet/supplydelivery-status|1.0.2 + references: 1, strongest binding: Required - #abandoned: Abandoned - #completed: Delivered - #in-progress: In Progress - ValueSet: http://hl7.org/fhir/ValueSet/supplydelivery-type|1.0.2 + references: 1, strongest binding: Required - #device: Device - #medication: Medication - ValueSet: http://hl7.org/fhir/ValueSet/supplyrequest-kind|1.0.2 + references: 1, strongest binding: Required - #central: Central Supply - #nonstock: Non-Stock - ValueSet: http://hl7.org/fhir/ValueSet/supplyrequest-reason|1.0.2 + references: 1, strongest binding: Example - #patient-care: Patient Care - #ward-stock: Ward Stock - ValueSet: http://hl7.org/fhir/ValueSet/supplyrequest-status|1.0.2 + references: 1, strongest binding: Required - #cancelled: Cancelled - #completed: Received - #failed: Failed - #requested: Requested - ValueSet: http://hl7.org/fhir/ValueSet/surface|1.0.2 + references: 1, strongest binding: Example - #B: Buccal - #D: Distal - #DI: Distoincisal @@ -32210,10 +32528,12 @@ Value Sets: 930 (unversioned) - #O: Occlusal - #V: Ventral - ValueSet: http://hl7.org/fhir/ValueSet/system-restful-interaction|1.0.2 + references: 1, strongest binding: Required - #history-system: history-system - #search-system: search-system - #transaction: transaction - ValueSet: http://hl7.org/fhir/ValueSet/teeth|1.0.2 + references: 1, strongest binding: Example - #11: 11 - #12: 12 - #13: 13 @@ -32247,6 +32567,7 @@ Value Sets: 930 (unversioned) - #47: 47 - #48: 48 - ValueSet: http://hl7.org/fhir/ValueSet/template-status-code|1.0.2 + references: 0, strongest binding: - #active: Active - #cancelled: Cancelled - #draft: Draft @@ -32256,6 +32577,7 @@ Value Sets: 930 (unversioned) - #review: In Review - #terminated: Terminated - ValueSet: http://hl7.org/fhir/ValueSet/testscript-operation-codes|1.0.2 + references: 1, strongest binding: Extensible - #closure: $closure - #conformance: Conformance - #create: Create @@ -32281,6 +32603,7 @@ Value Sets: 930 (unversioned) - #validate-code: $validate-code - #vread: Version Read - ValueSet: http://hl7.org/fhir/ValueSet/texture-code|1.0.2 + references: 1, strongest binding: Example - #228049004: Chopped food - #228053002: Cut-up food - #228055009: Liquidized food @@ -32296,12 +32619,14 @@ Value Sets: 930 (unversioned) - #441791000124106: Strained food - #441881000124103: Ground food - ValueSet: http://hl7.org/fhir/ValueSet/timing-abbreviation|1.0.2 + references: 1, strongest binding: Preferred - #AM: AM - #BID: BID - #PM: PM - #QID: QID - #TID: TID - ValueSet: http://hl7.org/fhir/ValueSet/tooth|1.0.2 + references: 1, strongest binding: Example - #0: - #1: 1 - #11: 11 @@ -32344,11 +32669,13 @@ Value Sets: 930 (unversioned) - #7: 7 - #8: 8 - ValueSet: http://hl7.org/fhir/ValueSet/transaction-mode|1.0.2 + references: 1, strongest binding: Required - #batch: Batches supported - #both: Batches & Transactions - #not-supported: None - #transaction: Transactions Supported - ValueSet: http://hl7.org/fhir/ValueSet/type-restful-interaction|1.0.2 + references: 1, strongest binding: Required - #create: create - #delete: delete - #history-instance: history-instance @@ -32359,8 +32686,10 @@ Value Sets: 930 (unversioned) - #validate: validate - #vread: vread - ValueSet: http://hl7.org/fhir/ValueSet/udi|1.0.2 + references: 3, strongest binding: Example - #{01}123456789: {01}123456789 - ValueSet: http://hl7.org/fhir/ValueSet/units-of-time|1.0.2 + references: 2, strongest binding: Required - #a: - #d: - #h: @@ -32369,16 +32698,19 @@ Value Sets: 930 (unversioned) - #s: - #wk: - ValueSet: http://hl7.org/fhir/ValueSet/unknown-content-code|1.0.2 + references: 1, strongest binding: Required - #both: Unknown Elements and Extensions - #elements: Unknown Elements - #extensions: Unknown Extensions - #no: Neither Elements or Extensions - ValueSet: http://hl7.org/fhir/ValueSet/uslab-do-event|1.0.2 + references: 1, strongest binding: Extensible - #add-on-request: add-on request - #lab-cancel: laboratory cancel - #new-request: new request - #orderer-cancel: orderer cancel - ValueSet: http://hl7.org/fhir/ValueSet/uslab-obs-interpretation|1.0.2 + references: 1, strongest binding: Required - #<: Off scale low - #>: Off scale high - #A: Abnormal @@ -32413,10 +32745,12 @@ Value Sets: 930 (unversioned) - #W: Worse - #WR: Weakly reactive - ValueSet: http://hl7.org/fhir/ValueSet/uslab-obs-kind|1.0.2 + references: 0, strongest binding: - #information: information - #response: response - #result: result - ValueSet: http://hl7.org/fhir/ValueSet/uslab-obs-spec-reject|1.0.2 + references: 0, strongest binding: - #EX: Expired - #QS: Quantity not sufficient - #RA: Missing patient ID number @@ -32432,13 +32766,16 @@ Value Sets: 930 (unversioned) - #RR: Improper storage - #RS: Name misspelling - ValueSet: http://hl7.org/fhir/ValueSet/uslab-patient-uslab-nameuse|1.0.2 + references: 0, strongest binding: - #anonymous: Anonymous - #official: Official - ValueSet: http://hl7.org/fhir/ValueSet/uslab-patient-uslabph-nameuse|1.0.2 + references: 0, strongest binding: - #anonymous: Anonymous - #maiden: Maiden - #official: Official - ValueSet: http://hl7.org/fhir/ValueSet/usps-state|1.0.2 + references: 0, strongest binding: - #AK: Alaska - #AL: Alabama - #AR: Arkansas @@ -32500,6 +32837,7 @@ Value Sets: 930 (unversioned) - #WV: West Virginia - #WY: Wyoming - ValueSet: http://hl7.org/fhir/ValueSet/v2-0001|2.8.2 + references: 0, strongest binding: - #A: Ambiguous - #F: Female - #M: Male @@ -32507,6 +32845,7 @@ Value Sets: 930 (unversioned) - #O: Other - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0002|2.8.2 + references: 0, strongest binding: - #A: Separated - #B: Unmarried - #C: Common law @@ -32524,6 +32863,7 @@ Value Sets: 930 (unversioned) - #U: Unknown - #W: Widowed - ValueSet: http://hl7.org/fhir/ValueSet/v2-0003|2.8.2 + references: 0, strongest binding: - #A01: ADT/ACK - Admit/visit notification - #A02: ADT/ACK - Transfer a patient - #A03: ADT/ACK - Discharge/end visit @@ -32880,6 +33220,7 @@ Value Sets: 930 (unversioned) - #W02: QRF - Waveform result, response to query - #X01: PEX - Product experience - ValueSet: http://hl7.org/fhir/ValueSet/v2-0004|2.8.2 + references: 0, strongest binding: - #B: Obstetrics - #C: Commercial Account - #E: Emergency @@ -32890,6 +33231,7 @@ Value Sets: 930 (unversioned) - #R: Recurring patient - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0005|2.8.2 + references: 0, strongest binding: - #1002-5: American Indian or Alaska Native - #2028-9: Asian - #2054-5: Black or African American @@ -32897,6 +33239,7 @@ Value Sets: 930 (unversioned) - #2106-3: White - #2131-1: Other Race - ValueSet: http://hl7.org/fhir/ValueSet/v2-0007|2.8.2 + references: 0, strongest binding: - #A: Accident - #C: Elective - #E: Emergency @@ -32905,6 +33248,7 @@ Value Sets: 930 (unversioned) - #R: Routine - #U: Urgent - ValueSet: http://hl7.org/fhir/ValueSet/v2-0008|2.8.2 + references: 0, strongest binding: - #AA: Original mode: Application Accept - Enhanced mode: Application acknowledgment: Accept - #AE: Original mode: Application Error - Enhanced mode: Application acknowledgment: Error - #AR: Original mode: Application Reject - Enhanced mode: Application acknowledgment: Reject @@ -32912,6 +33256,7 @@ Value Sets: 930 (unversioned) - #CE: Enhanced mode: Accept acknowledgment: Commit Error - #CR: Enhanced mode: Accept acknowledgment: Commit Reject - ValueSet: http://hl7.org/fhir/ValueSet/v2-0009|2.8.2 + references: 0, strongest binding: - #A0: No functional limitations - #A1: Ambulates with assistive device - #A2: Wheelchair/stretcher bound @@ -32929,15 +33274,18 @@ Value Sets: 930 (unversioned) - #B5: Paraplegic - #B6: Pregnant - ValueSet: http://hl7.org/fhir/ValueSet/v2-0012|2.8.2 + references: 0, strongest binding: - #AN: Filled from ancillary department stock - #FL: Filled from floor stock - ValueSet: http://hl7.org/fhir/ValueSet/v2-0017|2.8.2 + references: 0, strongest binding: - #AJ: Adjustment - #CD: Credit - #CG: Charge - #CO: Co-payment - #PY: Payment - ValueSet: http://hl7.org/fhir/ValueSet/v2-0023|2.8.2 + references: 0, strongest binding: - #...: No suggested values defined - #1: Physician referral - #2: Clinic referral @@ -32949,12 +33297,14 @@ Value Sets: 930 (unversioned) - #8: Court/law enforcement - #9: Information not available - ValueSet: http://hl7.org/fhir/ValueSet/v2-0027|2.8.2 + references: 0, strongest binding: - #A: As soon as possible (a priority lower than stat) - #P: Preoperative (to be done prior to surgery) - #R: Routine - #S: Stat (do immediately) - #T: Timing critical (do as near as possible to requested time) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0033|2.8.2 + references: 0, strongest binding: - #AP: Apply externally - #CH: Chew - #DU: Dust @@ -32984,9 +33334,11 @@ Value Sets: 930 (unversioned) - #WA: Wash - #WI: Wipe - ValueSet: http://hl7.org/fhir/ValueSet/v2-0034|2.8.2 + references: 0, strongest binding: - #B: Buttock - #L: Left arm - ValueSet: http://hl7.org/fhir/ValueSet/v2-0038|2.8.2 + references: 0, strongest binding: - #A: Some, but not all, results available - #CA: Order was canceled - #CM: Order is completed @@ -32997,6 +33349,7 @@ Value Sets: 930 (unversioned) - #RP: Order has been replaced - #SC: In process, scheduled - ValueSet: http://hl7.org/fhir/ValueSet/v2-0043|2.8.2 + references: 0, strongest binding: - #...: No suggested values defined - #01: Military service related - #02: Condition is employment related @@ -33056,6 +33409,7 @@ Value Sets: 930 (unversioned) - #79: Corf services provided off-site - #80: Pregnant - ValueSet: http://hl7.org/fhir/ValueSet/v2-0048|2.8.2 + references: 0, strongest binding: - #ADV: Advice/diagnosis - #ANU: Nursing unit lookup (returns patients in beds, excluding empty beds) - #APA: Account number query, return matching visit @@ -33095,22 +33449,26 @@ Value Sets: 930 (unversioned) - #VXI: Vaccine Information - #XID: Get cross-referenced identifiers - ValueSet: http://hl7.org/fhir/ValueSet/v2-0052|2.8.2 + references: 0, strongest binding: - #A: Admitting - #F: Final - #W: Working - ValueSet: http://hl7.org/fhir/ValueSet/v2-0061|2.8.2 + references: 0, strongest binding: - #BCV: Bank Card Validation Number - #ISO: ISO 7064: 1983 - #M10: Mod 10 algorithm - #M11: Mod 11 algorithm - #NPI: Check digit algorithm in the US National Provider Identifier - ValueSet: http://hl7.org/fhir/ValueSet/v2-0062|2.8.2 + references: 0, strongest binding: - #01: Patient request - #02: Physician/health practitioner order - #03: Census management - #O: Other - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0063|2.8.2 + references: 0, strongest binding: - #ASC: Associate - #BRO: Brother - #CGV: Care giver @@ -33144,6 +33502,7 @@ Value Sets: 930 (unversioned) - #UNK: Unknown - #WRD: Ward of court - ValueSet: http://hl7.org/fhir/ValueSet/v2-0065|2.8.2 + references: 0, strongest binding: - #A: Add ordered tests to the existing specimen - #C: Cancel order for battery or tests named - #G: Generated order; reflex order @@ -33153,6 +33512,7 @@ Value Sets: 930 (unversioned) - #R: Revised order - #S: Schedule the tests specified below - ValueSet: http://hl7.org/fhir/ValueSet/v2-0066|2.8.2 + references: 0, strongest binding: - #...: see chapter 6 - #1: Full time employed - #2: Part time employed @@ -33169,12 +33529,14 @@ Value Sets: 930 (unversioned) - #P: Part Time - #T: Temporarily unemployed - ValueSet: http://hl7.org/fhir/ValueSet/v2-0069|2.8.2 + references: 0, strongest binding: - #CAR: Cardiac Service - #MED: Medical Service - #PUL: Pulmonary Service - #SUR: Surgical Service - #URO: Urology Service - ValueSet: http://hl7.org/fhir/ValueSet/v2-0070|2.8.2 + references: 0, strongest binding: - #ABLD: Arterial blood - #ABS: Abscess - #AMN: Amniotic fluid @@ -33313,6 +33675,7 @@ Value Sets: 930 (unversioned) - #WNDE: Wound exudate - #XXX: To be specified in another part of the message - ValueSet: http://hl7.org/fhir/ValueSet/v2-0074|2.8.2 + references: 0, strongest binding: - #AU: Audiology - #BG: Blood Gases - #BLB: Blood Bank @@ -33359,6 +33722,7 @@ Value Sets: 930 (unversioned) - #VUS: Vascular Ultrasound - #XRC: Cineradiograph - ValueSet: http://hl7.org/fhir/ValueSet/v2-0076|2.8.2 + references: 0, strongest binding: - #ACK: General acknowledgment message - #ADR: ADT response - #ADT: ADT message @@ -33518,6 +33882,7 @@ Value Sets: 930 (unversioned) - #VXU: Unsolicited vaccination record update - #VXX: Response for vaccination query with multiple PID matches - ValueSet: http://hl7.org/fhir/ValueSet/v2-0078|2.8.2 + references: 0, strongest binding: - #<: Off scale low - #>: Off scale high - #A: Abnormal @@ -33558,6 +33923,7 @@ Value Sets: 930 (unversioned) - #W: Worse - #WR: Weakly reactive - ValueSet: http://hl7.org/fhir/ValueSet/v2-0080|2.8.2 + references: 0, strongest binding: - #A: An age-based population - #B: Breed - #N: None - generic normal range @@ -33566,9 +33932,11 @@ Value Sets: 930 (unversioned) - #SP: Species - #ST: Strain - ValueSet: http://hl7.org/fhir/ValueSet/v2-0083|2.8.2 + references: 0, strongest binding: - #C: Outlier cost - #D: Outlier days - ValueSet: http://hl7.org/fhir/ValueSet/v2-0085|2.8.2 + references: 0, strongest binding: - #A: Amended based on adjustments provided by the Placer (Physician) regarding patient demographics (such as age and/or gender or other patient specific information - #B: Appended Report - Final results reviewed and further information provided for clarity without change to the original result values. - #C: Record coming over is a correction and thus replaces a final result @@ -33585,28 +33953,35 @@ Value Sets: 930 (unversioned) - #W: Post original as wrong, e.g. transmitted for wrong patient - #X: Results cannot be obtained for this observation - ValueSet: http://hl7.org/fhir/ValueSet/v2-0091|2.8.2 + references: 0, strongest binding: - #D: Deferred - #I: Immediate - ValueSet: http://hl7.org/fhir/ValueSet/v2-0092|2.8.2 + references: 0, strongest binding: - #R: Re-admission - ValueSet: http://hl7.org/fhir/ValueSet/v2-0098|2.8.2 + references: 0, strongest binding: - #M: Maternity - #S: Standard - #U: Unified - ValueSet: http://hl7.org/fhir/ValueSet/v2-0100|2.8.2 + references: 0, strongest binding: - #D: On discharge - #O: On receipt of order - #R: At time service is completed - #S: At time service is started - #T: At a designated date/time - ValueSet: http://hl7.org/fhir/ValueSet/v2-0102|2.8.2 + references: 0, strongest binding: - #D: Message received, stored for later processing - #F: acknowledgment after processing - ValueSet: http://hl7.org/fhir/ValueSet/v2-0103|2.8.2 + references: 0, strongest binding: - #D: Debugging - #P: Production - #T: Training - ValueSet: http://hl7.org/fhir/ValueSet/v2-0104|2.8.2 + references: 0, strongest binding: - #2.0: Release 2.0 - #2.0D: Demo 2.0 - #2.1: Release 2.1 @@ -33623,25 +33998,31 @@ Value Sets: 930 (unversioned) - #2.8: Release 2.8 - #2.8.1: Release 2.8.1 - ValueSet: http://hl7.org/fhir/ValueSet/v2-0105|2.8.2 + references: 0, strongest binding: - #L: Ancillary (filler) department is source of comment - #O: Other system is source of comment - #P: Orderer (placer) is source of comment - ValueSet: http://hl7.org/fhir/ValueSet/v2-0106|2.8.2 + references: 0, strongest binding: - #D: Response is in display format - #R: Response is in record-oriented format - #T: Response is in tabular format - ValueSet: http://hl7.org/fhir/ValueSet/v2-0107|2.8.2 + references: 0, strongest binding: - #B: Before the Date/Time specified - #L: Later than the Date/Time specified - ValueSet: http://hl7.org/fhir/ValueSet/v2-0108|2.8.2 + references: 0, strongest binding: - #O: Order plus order status - #R: Results without bulk text - #S: Status only - #T: Full results - ValueSet: http://hl7.org/fhir/ValueSet/v2-0109|2.8.2 + references: 0, strongest binding: - #R: Routine - #S: Stat - ValueSet: http://hl7.org/fhir/ValueSet/v2-0116|2.8.2 + references: 0, strongest binding: - #C: Closed - #H: Housekeeping - #I: Isolated @@ -33649,6 +34030,7 @@ Value Sets: 930 (unversioned) - #O: Occupied - #U: Unoccupied - ValueSet: http://hl7.org/fhir/ValueSet/v2-0119|2.8.2 + references: 0, strongest binding: - #AF: Order/service refill request approval - #CA: Cancel order/service request - #CH: Child order/service @@ -33702,12 +34084,14 @@ Value Sets: 930 (unversioned) - #XR: Changed as requested - #XX: Order/service changed, unsol. - ValueSet: http://hl7.org/fhir/ValueSet/v2-0121|2.8.2 + references: 0, strongest binding: - #D: Same as R, also other associated segments - #E: Report exceptions only - #F: Same as D, plus confirmations explicitly - #N: Only the MSA segment is returned - #R: Same as E, also Replacement and Parent-Child - ValueSet: http://hl7.org/fhir/ValueSet/v2-0122|2.8.2 + references: 0, strongest binding: - #CH: Charge - #CO: Contract - #CR: Credit @@ -33717,6 +34101,7 @@ Value Sets: 930 (unversioned) - #PC: Professional - #RS: Research - ValueSet: http://hl7.org/fhir/ValueSet/v2-0123|2.8.2 + references: 0, strongest binding: - #A: Some, but not all, results available - #C: Correction to results - #F: Final results; results stored and verified. Can only be changed with a corrected result. @@ -33729,11 +34114,13 @@ Value Sets: 930 (unversioned) - #Y: No order on record for this test. (Used only on queries) - #Z: No record of this patient. (Used only on queries) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0124|2.8.2 + references: 0, strongest binding: - #CART: Cart - patient travels on cart or gurney - #PORT: The examining device goes to patient's location - #WALK: Patient walks to diagnostic service - #WHLC: Wheelchair - ValueSet: http://hl7.org/fhir/ValueSet/v2-0125|2.8.2 + references: 0, strongest binding: - #AD: Address - #AUI: Authorization information - #CCD: Charge code and date @@ -33825,12 +34212,14 @@ Value Sets: 930 (unversioned) - #XPN: Extended person name - #XTN: Extended telecommunications number - ValueSet: http://hl7.org/fhir/ValueSet/v2-0126|2.8.2 + references: 0, strongest binding: - #CH: Characters - #LI: Lines - #PG: Pages - #RD: Records - #ZO: Locally defined - ValueSet: http://hl7.org/fhir/ValueSet/v2-0127|2.8.2 + references: 0, strongest binding: - #AA: Animal Allergy - #DA: Drug allergy - #EA: Environmental Allergy @@ -33840,16 +34229,19 @@ Value Sets: 930 (unversioned) - #MC: Miscellaneous contraindication - #PA: Plant Allergy - ValueSet: http://hl7.org/fhir/ValueSet/v2-0128|2.8.2 + references: 0, strongest binding: - #MI: Mild - #MO: Moderate - #SV: Severe - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0130|2.8.2 + references: 0, strongest binding: - #HO: Home - #MO: Mobile Unit - #PH: Phone - #TE: Teaching - ValueSet: http://hl7.org/fhir/ValueSet/v2-0131|2.8.2 + references: 0, strongest binding: - #BP: Billing contact person - #C: Emergency Contact - #CP: Contact person @@ -33863,6 +34255,7 @@ Value Sets: 930 (unversioned) - #S: State Agency - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0133|2.8.2 + references: 0, strongest binding: - #AN: Anesthesiologist/Anesthetist - #AS: Assistant Surgeon - #CM: Certified Nurse Midwife @@ -33873,19 +34266,23 @@ Value Sets: 930 (unversioned) - #RS: Resident - #SN: Scrub Nurse - ValueSet: http://hl7.org/fhir/ValueSet/v2-0135|2.8.2 + references: 0, strongest binding: - #M: Modified assignment - #N: No - #Y: Yes - ValueSet: http://hl7.org/fhir/ValueSet/v2-0136|2.8.2 + references: 0, strongest binding: - #N: No - #Y: Yes - ValueSet: http://hl7.org/fhir/ValueSet/v2-0137|2.8.2 + references: 0, strongest binding: - #E: Employer - #G: Guarantor - #I: Insurance company - #O: Other - #P: Patient - ValueSet: http://hl7.org/fhir/ValueSet/v2-0140|2.8.2 + references: 0, strongest binding: - #AUSA: Australian Army - #AUSAF: Australian Air Force - #AUSN: Australian Navy @@ -33898,16 +34295,19 @@ Value Sets: 930 (unversioned) - #USN: US Navy - #USPHS: US Public Health Service - ValueSet: http://hl7.org/fhir/ValueSet/v2-0141|2.8.2 + references: 0, strongest binding: - #E1 ... E9: Enlisted - #E1... E9: Enlisted - #O1 ... O10: Officers - #O1 ... O9: Officers - #W1 ... W4: Warrant Officers - ValueSet: http://hl7.org/fhir/ValueSet/v2-0142|2.8.2 + references: 0, strongest binding: - #ACT: Active duty - #DEC: Deceased - #RET: Retired - ValueSet: http://hl7.org/fhir/ValueSet/v2-0144|2.8.2 + references: 0, strongest binding: - #1: Insurance company - #2: Employer - #3: Insured presented policy @@ -33916,6 +34316,7 @@ Value Sets: 930 (unversioned) - #6: Verbal information - #7: None - ValueSet: http://hl7.org/fhir/ValueSet/v2-0145|2.8.2 + references: 0, strongest binding: - #2ICU: Second intensive care unit - #2PRI: Second private room - #2SPR: Second semi-private room @@ -33923,30 +34324,36 @@ Value Sets: 930 (unversioned) - #PRI: Private room - #SPR: Semi-private room - ValueSet: http://hl7.org/fhir/ValueSet/v2-0146|2.8.2 + references: 0, strongest binding: - #DF: Differential - #LM: Limit - #PC: Percentage - #RT: Rate - #UL: Unlimited - ValueSet: http://hl7.org/fhir/ValueSet/v2-0147|2.8.2 + references: 0, strongest binding: - #2ANC: Second ancillary - #2MMD: Second major medical - #3MMD: Third major medical - #ANC: Ancillary - #MMD: Major medical - ValueSet: http://hl7.org/fhir/ValueSet/v2-0148|2.8.2 + references: 0, strongest binding: - #AT: Currency amount - #PC: Percentage - ValueSet: http://hl7.org/fhir/ValueSet/v2-0149|2.8.2 + references: 0, strongest binding: - #AP: Approved - #DE: Denied - #PE: Pending - ValueSet: http://hl7.org/fhir/ValueSet/v2-0150|2.8.2 + references: 0, strongest binding: - #ER: Emergency - #IPE: Inpatient elective - #OPE: Outpatient elective - #UR: Urgent - ValueSet: http://hl7.org/fhir/ValueSet/v2-0153|2.8.2 + references: 0, strongest binding: - #...: See NUBC codes - #…: See NUBC codes - #01: Most common semi-private rate @@ -34012,11 +34419,13 @@ Value Sets: 930 (unversioned) - #X0: Service excluded on primary policy - #X4: Supplemental coverage - ValueSet: http://hl7.org/fhir/ValueSet/v2-0155|2.8.2 + references: 0, strongest binding: - #AL: Always - #ER: Error/reject conditions only - #NE: Never - #SU: Successful completion only - ValueSet: http://hl7.org/fhir/ValueSet/v2-0156|2.8.2 + references: 0, strongest binding: - #ANY: Any date/time within a range - #CAN: Cancellation date/time - #COL: Collection date/time, equivalent to film or sample collection date/time @@ -34025,6 +34434,7 @@ Value Sets: 930 (unversioned) - #REP: Report date/time, report date/time at filling ancillary (i.e., Lab) - #SCHED: Schedule date/time - ValueSet: http://hl7.org/fhir/ValueSet/v2-0157|2.8.2 + references: 0, strongest binding: - #ANY: Any status - #CFN: Current final value, whether final or corrected - #COR: Corrected only (no final with corrections) @@ -34032,25 +34442,30 @@ Value Sets: 930 (unversioned) - #PRE: Preliminary - #REP: Report completion date/time - ValueSet: http://hl7.org/fhir/ValueSet/v2-0158|2.8.2 + references: 0, strongest binding: - #1ST: First value within range - #ALL: All values within the range - #LST: Last value within the range - #REV: All values within the range returned in reverse chronological order (This is the default if not otherwise specified.) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0159|2.8.2 + references: 0, strongest binding: - #D: Diet - #P: Preference - #S: Supplement - ValueSet: http://hl7.org/fhir/ValueSet/v2-0160|2.8.2 + references: 0, strongest binding: - #EARLY: Early tray - #GUEST: Guest tray - #LATE: Late tray - #MSG: Tray message only - #NO: No tray - ValueSet: http://hl7.org/fhir/ValueSet/v2-0161|2.8.2 + references: 0, strongest binding: - #G: Allow generic substitutions. - #N: Substitutions are NOT authorized. (This is the default - null.) - #T: Allow therapeutic substitutions - ValueSet: http://hl7.org/fhir/ValueSet/v2-0162|2.8.2 + references: 0, strongest binding: - #AP: Apply Externally - #B: Buccal - #DT: Dental @@ -34099,6 +34514,7 @@ Value Sets: 930 (unversioned) - #VM: Ventimask - #WND: Wound - ValueSet: http://hl7.org/fhir/ValueSet/v2-0163|2.8.2 + references: 0, strongest binding: - #BE: Bilateral Ears - #BN: Bilateral Nares - #BU: Buttock @@ -34156,6 +34572,7 @@ Value Sets: 930 (unversioned) - #RVG: Right Ventragluteal - #RVL: Right Vastus Lateralis - ValueSet: http://hl7.org/fhir/ValueSet/v2-0164|2.8.2 + references: 0, strongest binding: - #AP: Applicator - #BT: Buretrol - #HL: Heparin Lock @@ -34166,6 +34583,7 @@ Value Sets: 930 (unversioned) - #NEB: Nebulizer - #PCA: PCA Pump - ValueSet: http://hl7.org/fhir/ValueSet/v2-0165|2.8.2 + references: 0, strongest binding: - #CH: Chew - #DI: Dissolve - #DU: Dust @@ -34182,9 +34600,11 @@ Value Sets: 930 (unversioned) - #WA: Wash - #WI: Wipe - ValueSet: http://hl7.org/fhir/ValueSet/v2-0166|2.8.2 + references: 0, strongest binding: - #A: Additive - #B: Base - ValueSet: http://hl7.org/fhir/ValueSet/v2-0167|2.8.2 + references: 0, strongest binding: - #0: No product selection indicated - #1: Substitution not allowed by prescriber - #2: Substitution allowed - patient requested product dispensed @@ -34197,6 +34617,7 @@ Value Sets: 930 (unversioned) - #N: No substitute was dispensed. This is equivalent to the default (null) value. - #T: A therapeutic substitution was dispensed. - ValueSet: http://hl7.org/fhir/ValueSet/v2-0168|2.8.2 + references: 0, strongest binding: - #A: As soon as possible (a priority lower than stat) - #B: Do at bedside or portable (may be used with other codes) - #C: Measure continuously (e.g. arterial line blood pressure) @@ -34205,22 +34626,27 @@ Value Sets: 930 (unversioned) - #S: Stat (do immediately) - #T: Timing critical (do as near as possible to requested time) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0169|2.8.2 + references: 0, strongest binding: - #C: Call back results - #R: Rush reporting - ValueSet: http://hl7.org/fhir/ValueSet/v2-0170|2.8.2 + references: 0, strongest binding: - #C: Child Observation - #N: Not Applicable - #P: Parent Observation - ValueSet: http://hl7.org/fhir/ValueSet/v2-0173|2.8.2 + references: 0, strongest binding: - #CO: Coordination - #IN: Independent - ValueSet: http://hl7.org/fhir/ValueSet/v2-0174|2.8.2 + references: 0, strongest binding: - #A: Atomic service/test/observation (test code or treatment code) - #C: Single observation calculated via a rule or formula from other independent observations (e.g. Alveolar-arterial ratio, cardiac output) - #F: Functional procedure that may consist of one or more interrelated measures (e.g. glucose tolerance test, creatinine clearance), usually done at different times and/or on different specimens - #P: Profile or battery consisting of many independent atomic observations (e.g. SMA12, electrolytes), usually done at one instrument on one specimen - #S: Superset-a set of batteries or procedures ordered under a single code unit but processed as separate batteries (e.g. routines = CBC, UA, electrolytes)

This set indicates that the code being described is used to order multiple service/test/observation b - ValueSet: http://hl7.org/fhir/ValueSet/v2-0175|2.8.2 + references: 0, strongest binding: - #CDM: Charge description master file - #CLN: Clinic master file - #CM0: Clinical study master @@ -34248,6 +34674,7 @@ Value Sets: 930 (unversioned) - #PRA: Practitioner master file - #STF: Staff master file - ValueSet: http://hl7.org/fhir/ValueSet/v2-0177|2.8.2 + references: 0, strongest binding: - #AID: AIDS patient - #EMP: Employee - #ETH: Alcohol/drug treatment patient @@ -34259,26 +34686,32 @@ Value Sets: 930 (unversioned) - #V: Very restricted - #VIP: Very important person or celebrity - ValueSet: http://hl7.org/fhir/ValueSet/v2-0178|2.8.2 + references: 0, strongest binding: - #REP: Replace current version of this master file with the version contained in this message - #UPD: Change file records as defined in the record-level event codes for each record that follows - ValueSet: http://hl7.org/fhir/ValueSet/v2-0179|2.8.2 + references: 0, strongest binding: - #AL: Always. All MFA segments (whether denoting errors or not) must be returned via the application-level acknowledgment message - #ER: Error/Reject conditions only. Only MFA segments denoting errors must be returned via the application-level acknowledgment for this message - #NE: Never. No application-level response needed - #SU: Success. Only MFA segments denoting success must be returned via the application-level acknowledgment for this message - ValueSet: http://hl7.org/fhir/ValueSet/v2-0180|2.8.2 + references: 0, strongest binding: - #MAC: Reactivate deactivated record - #MAD: Add record to master file - #MDC: Deactivate: discontinue using record in master file, but do not delete from database - #MDL: Delete record from master file - #MUP: Update record for master file - ValueSet: http://hl7.org/fhir/ValueSet/v2-0181|2.8.2 + references: 0, strongest binding: - #S: Successful posting of the record defined by the MFE segment - #U: Unsuccessful posting of the record defined by the MFE segment - ValueSet: http://hl7.org/fhir/ValueSet/v2-0183|2.8.2 + references: 0, strongest binding: - #A: Active Staff - #I: Inactive Staff - ValueSet: http://hl7.org/fhir/ValueSet/v2-0185|2.8.2 + references: 0, strongest binding: - #B: Beeper Number - #C: Cellular Phone Number - #E: E-Mail Address (for backward compatibility) @@ -34286,13 +34719,16 @@ Value Sets: 930 (unversioned) - #H: Home Phone Number - #O: Office Phone Number - ValueSet: http://hl7.org/fhir/ValueSet/v2-0187|2.8.2 + references: 0, strongest binding: - #I: Institution bills for provider - #P: Provider does own billing - ValueSet: http://hl7.org/fhir/ValueSet/v2-0189|2.8.2 + references: 0, strongest binding: - #H: Hispanic or Latino - #N: Not Hispanic or Latino - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0190|2.8.2 + references: 0, strongest binding: - #B: Firm/Business - #BA: Bad address - #BDL: Birth delivery location (address where birth occurred) @@ -34312,6 +34748,7 @@ Value Sets: 930 (unversioned) - #TM: Tube Address - #V: Vacation - ValueSet: http://hl7.org/fhir/ValueSet/v2-0191|2.8.2 + references: 0, strongest binding: - #AP: Other application data, typically uninterpreted binary data (HL7 V2.3 and later) - #Application: Other application data, typically uninterpreted binary data (HL7 V2.3 and later) - #AU: Audio data (HL7 V2.3 and later) @@ -34326,11 +34763,13 @@ Value Sets: 930 (unversioned) - #TEXT: Machine readable text document (HL7 V2.3.1 and later) - #TX: Machine readable text document (HL7 V2.2 only) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0193|2.8.2 + references: 0, strongest binding: - #AT: Amount - #LM: Limit - #PC: Percentage - #UL: Unlimited - ValueSet: http://hl7.org/fhir/ValueSet/v2-0200|2.8.2 + references: 0, strongest binding: - #...: - #A: Assigned - #B: Birth name @@ -34356,6 +34795,7 @@ Value Sets: 930 (unversioned) - #TEMP: Temporary Name - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0201|2.8.2 + references: 0, strongest binding: - #ASN: Answering Service Number - #BPN: Beeper Number - #EMR: Emergency Number @@ -34366,6 +34806,7 @@ Value Sets: 930 (unversioned) - #VHN: Vacation Home Number - #WPN: Work Number - ValueSet: http://hl7.org/fhir/ValueSet/v2-0202|2.8.2 + references: 0, strongest binding: - #BP: Beeper - #CP: Cellular or Mobile Phone - #FX: Fax @@ -34377,6 +34818,7 @@ Value Sets: 930 (unversioned) - #TTY: Teletypewriter - #X.400: X.400 email address - ValueSet: http://hl7.org/fhir/ValueSet/v2-0203|2.8.2 + references: 0, strongest binding: - #ACSN: Accession ID - #AM: American Express - #AMA: American Medical Association Number @@ -34489,11 +34931,13 @@ Value Sets: 930 (unversioned) - #WP: Work Permit - #XX: Organization identifier - ValueSet: http://hl7.org/fhir/ValueSet/v2-0204|2.8.2 + references: 0, strongest binding: - #A: Alias name - #D: Display name - #L: Legal name - #SL: Stock exchange listing name - ValueSet: http://hl7.org/fhir/ValueSet/v2-0205|2.8.2 + references: 0, strongest binding: - #AP: administrative price or handling fee - #DC: direct unit cost - #IC: indirect unit cost @@ -34502,11 +34946,13 @@ Value Sets: 930 (unversioned) - #TP: total price - #UP: unit price, may be based on length of procedure or service - ValueSet: http://hl7.org/fhir/ValueSet/v2-0206|2.8.2 + references: 0, strongest binding: - #A: Add/Insert - #D: Delete - #U: Update - #X: No Change - ValueSet: http://hl7.org/fhir/ValueSet/v2-0207|2.8.2 + references: 0, strongest binding: - #A: Archive - #I: Initial load - #not present: Not present (the default, meaning current processing) @@ -34514,11 +34960,13 @@ Value Sets: 930 (unversioned) - #R: Restore from archive - #T: Current processing, transmitted at intervals (scheduled or on demand) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0208|2.8.2 + references: 0, strongest binding: - #AE: Application error - #AR: Application reject - #NF: No data found, no errors - #OK: Data found, no errors (this is the default) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0209|2.8.2 + references: 0, strongest binding: - #CT: Contains - #EQ: Equal - #GE: Greater than or equal @@ -34528,9 +34976,11 @@ Value Sets: 930 (unversioned) - #LT: Less than - #NE: Not Equal - ValueSet: http://hl7.org/fhir/ValueSet/v2-0210|2.8.2 + references: 0, strongest binding: - #AND: Default - #OR: - ValueSet: http://hl7.org/fhir/ValueSet/v2-0211|2.8.2 + references: 0, strongest binding: - #8859/1: The printable characters from the ISO 8859/1 Character set - #8859/15: The printable characters from the ISO 8859/15 (Latin-15) - #8859/2: The printable characters from the ISO 8859/2 Character set @@ -34557,28 +35007,34 @@ Value Sets: 930 (unversioned) - #UNICODE UTF-32: UCS Transformation Format, 32-bit form - #UNICODE UTF-8: UCS Transformation Format, 8-bit form - ValueSet: http://hl7.org/fhir/ValueSet/v2-0213|2.8.2 + references: 0, strongest binding: - #D: The visit is marked for deletion and the user cannot enter new data against it. - #I: The visit is marked inactive and the user cannot enter new data against it. - #P: Marked for purge. User is no longer able to update the visit. - ValueSet: http://hl7.org/fhir/ValueSet/v2-0214|2.8.2 + references: 0, strongest binding: - #CH: Child Health Assistance - #ES: Elective Surgery Program - #FP: Family Planning - #O: Other - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0215|2.8.2 + references: 0, strongest binding: - #F: Family only - #N: No Publicity - #O: Other - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0216|2.8.2 + references: 0, strongest binding: - #AI: Active Inpatient - #DI: Discharged Inpatient - ValueSet: http://hl7.org/fhir/ValueSet/v2-0217|2.8.2 + references: 0, strongest binding: - #1: Emergency - #2: Urgent - #3: Elective - ValueSet: http://hl7.org/fhir/ValueSet/v2-0220|2.8.2 + references: 0, strongest binding: - #A: Alone - #F: Family - #I: Institution @@ -34586,6 +35042,7 @@ Value Sets: 930 (unversioned) - #S: Spouse Only - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0223|2.8.2 + references: 0, strongest binding: - #C: Small Children Dependent - #CB: Common Bath - #D: Spouse dependent @@ -34595,14 +35052,17 @@ Value Sets: 930 (unversioned) - #U: Unknown - #WU: Walk up - ValueSet: http://hl7.org/fhir/ValueSet/v2-0224|2.8.2 + references: 0, strongest binding: - #A: Arranged - #N: Not Arranged - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0225|2.8.2 + references: 0, strongest binding: - #N: Not Required - #R: Required - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0227|2.8.2 + references: 0, strongest binding: - #AB: Abbott Laboratories - #AD: Adams Laboratories, Inc. - #ALP: Alpha Therapeutic Corporation @@ -34659,6 +35119,7 @@ Value Sets: 930 (unversioned) - #WAL: Wyeth-Ayerst - #ZLB: ZLB Behring - ValueSet: http://hl7.org/fhir/ValueSet/v2-0228|2.8.2 + references: 0, strongest binding: - #C: Consultation - #D: Diagnosis - #I: Invasive procedure not classified elsewhere (I.V., catheter, etc.) @@ -34668,24 +35129,29 @@ Value Sets: 930 (unversioned) - #S: Sign and symptom - #T: Tissue diagnosis - ValueSet: http://hl7.org/fhir/ValueSet/v2-0229|2.8.2 + references: 0, strongest binding: - #...: No suggested values defined - #C: Champus - #G: Managed Care Organization - #M: Medicare - ValueSet: http://hl7.org/fhir/ValueSet/v2-0230|2.8.2 + references: 0, strongest binding: - #A: Anesthesia - #D: Diagnostic procedure - #I: Invasive procedure not classified elsewhere (e.g. IV, catheter, etc.) - #P: Procedure for treatment (therapeutic, including operations) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0231|2.8.2 + references: 0, strongest binding: - #F: Full-time student - #N: Not a student - #P: Part-time student - ValueSet: http://hl7.org/fhir/ValueSet/v2-0232|2.8.2 + references: 0, strongest binding: - #01: Medicare claim status - #02: Medicaid claim status - #03: Name/address change - ValueSet: http://hl7.org/fhir/ValueSet/v2-0234|2.8.2 + references: 0, strongest binding: - #10D: 10 day report - #15D: 15 day report - #30D: 30 day report @@ -34697,6 +35163,7 @@ Value Sets: 930 (unversioned) - #PD: Periodic - #RQ: Requested information - ValueSet: http://hl7.org/fhir/ValueSet/v2-0235|2.8.2 + references: 0, strongest binding: - #C: Clinical trial - #D: Database/registry/poison control center - #E: Distributor @@ -34708,11 +35175,13 @@ Value Sets: 930 (unversioned) - #P: Patient - #R: Regulatory agency - ValueSet: http://hl7.org/fhir/ValueSet/v2-0236|2.8.2 + references: 0, strongest binding: - #D: Distributor - #L: Local facility/user facility - #M: Manufacturer - #R: Regulatory agency - ValueSet: http://hl7.org/fhir/ValueSet/v2-0237|2.8.2 + references: 0, strongest binding: - #A: Abuse - #B: Unexpected beneficial effect - #D: Dependency @@ -34722,14 +35191,17 @@ Value Sets: 930 (unversioned) - #O: Overdose - #W: Drug withdrawal - ValueSet: http://hl7.org/fhir/ValueSet/v2-0238|2.8.2 + references: 0, strongest binding: - #N: No - #S: Significant - #Y: Yes - ValueSet: http://hl7.org/fhir/ValueSet/v2-0239|2.8.2 + references: 0, strongest binding: - #N: No - #U: Unknown - #Y: Yes - ValueSet: http://hl7.org/fhir/ValueSet/v2-0240|2.8.2 + references: 0, strongest binding: - #C: Congenital anomaly/birth defect - #D: Death - #H: Caused hospitalized @@ -34740,6 +35212,7 @@ Value Sets: 930 (unversioned) - #P: Prolonged hospitalization - #R: Required intervention to prevent permanent impairment/damage - ValueSet: http://hl7.org/fhir/ValueSet/v2-0241|2.8.2 + references: 0, strongest binding: - #D: Died - #F: Fully recovered - #N: Not recovering/unchanged @@ -34748,6 +35221,7 @@ Value Sets: 930 (unversioned) - #U: Unknown - #W: Worsening - ValueSet: http://hl7.org/fhir/ValueSet/v2-0242|2.8.2 + references: 0, strongest binding: - #C: Health care consumer/patient - #H: Other health professional - #L: Lawyer/attorney @@ -34756,10 +35230,12 @@ Value Sets: 930 (unversioned) - #P: Physician (osteopath, homeopath) - #R: Pharmacist - ValueSet: http://hl7.org/fhir/ValueSet/v2-0243|2.8.2 + references: 0, strongest binding: - #N: No - #NA: Not applicable - #Y: Yes - ValueSet: http://hl7.org/fhir/ValueSet/v2-0247|2.8.2 + references: 0, strongest binding: - #A: Evaluation anticipated, but not yet begun - #C: Product received in condition which made analysis impossible - #D: Product discarded -- unable to follow up @@ -34773,17 +35249,20 @@ Value Sets: 930 (unversioned) - #X: Product not made by company - #Y: Evaluation completed - ValueSet: http://hl7.org/fhir/ValueSet/v2-0248|2.8.2 + references: 0, strongest binding: - #A: Actual product involved in incident was evaluated - #L: A product from the same lot as the actual product involved was evaluated - #N: A product from a controlled/non-related inventory was evaluated - #R: A product from a reserve sample was evaluated - ValueSet: http://hl7.org/fhir/ValueSet/v2-0250|2.8.2 + references: 0, strongest binding: - #H: Highly probable - #I: Improbable - #M: Moderately probable - #N: Not related - #S: Somewhat probable - ValueSet: http://hl7.org/fhir/ValueSet/v2-0251|2.8.2 + references: 0, strongest binding: - #DI: Product dose or frequency of use increased - #DR: Product dose or frequency of use reduced - #N: None @@ -34791,6 +35270,7 @@ Value Sets: 930 (unversioned) - #WP: Product withdrawn permanently - #WT: Product withdrawn temporarily - ValueSet: http://hl7.org/fhir/ValueSet/v2-0252|2.8.2 + references: 0, strongest binding: - #AW: Abatement of event after product withdrawn - #BE: Event recurred after product reintroduced - #DR: Dose response observed @@ -34803,12 +35283,14 @@ Value Sets: 930 (unversioned) - #SE: Similar events in past for this patient - #TC: Toxic levels of product documented in blood or body fluids - ValueSet: http://hl7.org/fhir/ValueSet/v2-0253|2.8.2 + references: 0, strongest binding: - #B: Breast milk - #F: Father - #O: Other - #P: Transplacental - #X: Blood product - ValueSet: http://hl7.org/fhir/ValueSet/v2-0254|2.8.2 + references: 0, strongest binding: - #ABS: Absorbance - #ACNC: Concentration, Arbitrary Substance - #ACT: Activity @@ -34912,6 +35394,7 @@ Value Sets: 930 (unversioned) - #VRAT: Volume Rate - #VRTO: Volume Ratio - ValueSet: http://hl7.org/fhir/ValueSet/v2-0255|2.8.2 + references: 0, strongest binding: - #*: (asterisk) Life of the "unit." Used for blood products. - #* (star): Life of the "unit." Used for blood products. - #12H: 12 hours @@ -34940,6 +35423,7 @@ Value Sets: 930 (unversioned) - #8H: 8 hours - #PT: To identify measures at a point in time. This is a synonym for "spot" or "random" as applied to urine measurements. - ValueSet: http://hl7.org/fhir/ValueSet/v2-0256|2.8.2 + references: 0, strongest binding: - #10D: 10 days - #10M: 10 minutes post challenge - #12H: 12 hours post challenge @@ -34985,15 +35469,18 @@ Value Sets: 930 (unversioned) - #RANDOM: Time from the challenge, or dose not specified. (random) - #TROUGH: The time post drug dose at which the lowest drug level is reached (varies with drug) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0257|2.8.2 + references: 0, strongest binding: - #CFST: Fasting (no calorie intake) for the period specified in the time component of the term, e.g. 1H POST CFST - #EXCZ: Exercise undertaken as challenge (can be quantified) - #FFST: No fluid intake for the period specified in the time component of the term - ValueSet: http://hl7.org/fhir/ValueSet/v2-0258|2.8.2 + references: 0, strongest binding: - #BPU: Blood product unit - #CONTROL: Control - #DONOR: Donor - #PATIENT: Patient - ValueSet: http://hl7.org/fhir/ValueSet/v2-0259|2.8.2 + references: 0, strongest binding: - #AS: Angioscopy - #BS: Biomagnetic imaging - #CD: Color flow Doppler @@ -35021,6 +35508,7 @@ Value Sets: 930 (unversioned) - #US: Ultrasound - #XA: X-ray Angiography - ValueSet: http://hl7.org/fhir/ValueSet/v2-0260|2.8.2 + references: 0, strongest binding: - #B: Bed - #C: Clinic - #D: Department @@ -35030,6 +35518,7 @@ Value Sets: 930 (unversioned) - #O: Operating Room - #R: Room - ValueSet: http://hl7.org/fhir/ValueSet/v2-0261|2.8.2 + references: 0, strongest binding: - #EEG: Electro-Encephalogram - #EKG: Electro-Cardiogram - #INF: Infusion pump @@ -35039,6 +35528,7 @@ Value Sets: 930 (unversioned) - #VEN: Ventilator - #VIT: Vital signs monitor - ValueSet: http://hl7.org/fhir/ValueSet/v2-0262|2.8.2 + references: 0, strongest binding: - #F: Isolation - #J: Private room - medically justified - #P: Private room @@ -35046,6 +35536,7 @@ Value Sets: 930 (unversioned) - #S: Semi-private room - #W: Ward - ValueSet: http://hl7.org/fhir/ValueSet/v2-0263|2.8.2 + references: 0, strongest binding: - #A: Ambulatory - #C: Critical care - #E: Emergency @@ -35054,6 +35545,7 @@ Value Sets: 930 (unversioned) - #R: Routine - #S: Surgery - ValueSet: http://hl7.org/fhir/ValueSet/v2-0265|2.8.2 + references: 0, strongest binding: - #ALC: Allergy - #AMB: Ambulatory - #CAN: Cancer @@ -35081,6 +35573,7 @@ Value Sets: 930 (unversioned) - #SUR: Surgery - #WIC: Walk-in clinic - ValueSet: http://hl7.org/fhir/ValueSet/v2-0267|2.8.2 + references: 0, strongest binding: - #FRI: Friday - #MON: Monday - #SAT: Saturday @@ -35089,13 +35582,16 @@ Value Sets: 930 (unversioned) - #TUE: Tuesday - #WED: Wednesday - ValueSet: http://hl7.org/fhir/ValueSet/v2-0268|2.8.2 + references: 0, strongest binding: - #A: Override allowed - #R: Override required - #X: Override not allowed - ValueSet: http://hl7.org/fhir/ValueSet/v2-0269|2.8.2 + references: 0, strongest binding: - #O: Charge on Order - #R: Charge on Result - ValueSet: http://hl7.org/fhir/ValueSet/v2-0270|2.8.2 + references: 0, strongest binding: - #AR: Autopsy report - #CD: Cardiodiagnostics - #CN: Consultation @@ -35111,6 +35607,7 @@ Value Sets: 930 (unversioned) - #SP: Surgical pathology - #TS: Transfer summary - ValueSet: http://hl7.org/fhir/ValueSet/v2-0271|2.8.2 + references: 0, strongest binding: - #AU: Authenticated - #DI: Dictated - #DO: Documented @@ -35119,6 +35616,7 @@ Value Sets: 930 (unversioned) - #LA: Legally authenticated - #PA: Pre-authenticated - ValueSet: http://hl7.org/fhir/ValueSet/v2-0272|2.8.2 + references: 0, strongest binding: - #1: ASTM Level 1 - #2: ASTM Level 2 - #3: ASTM Level 3 @@ -35129,22 +35627,26 @@ Value Sets: 930 (unversioned) - #V: Very restricted - #VR: Very restricted - ValueSet: http://hl7.org/fhir/ValueSet/v2-0273|2.8.2 + references: 0, strongest binding: - #AV: Available for patient care - #CA: Deleted - #OB: Obsolete - #UN: Unavailable for patient care - ValueSet: http://hl7.org/fhir/ValueSet/v2-0275|2.8.2 + references: 0, strongest binding: - #AA: Active and archived - #AC: Active - #AR: Archived (not active) - #PU: Purged - ValueSet: http://hl7.org/fhir/ValueSet/v2-0276|2.8.2 + references: 0, strongest binding: - #CHECKUP: A routine check-up, such as an annual physical - #EMERGENCY: Emergency appointment - #FOLLOWUP: A follow up visit from a previous appointment - #ROUTINE: Routine appointment - default if not valued - #WALKIN: A previously unscheduled walk-in visit - ValueSet: http://hl7.org/fhir/ValueSet/v2-0277|2.8.2 + references: 0, strongest binding: - #Complete: A request to add a completed appointment, used to maintain records of completed appointments that did not appear in the schedule (e.g. STAT, walk-in, etc.) - #COMPLETE: A request to add a completed appointment, used to maintain records of completed appointments that did not appear in the schedule (e.g. STAT, walk-in, etc.) - #Normal: Routine schedule request type – default if not valued @@ -35152,6 +35654,7 @@ Value Sets: 930 (unversioned) - #Tentative: A request for a tentative (e.g. “penciled in”) appointment - #TENTATIVE: A request for a tentative (e.g. “penciled in”) appointment - ValueSet: http://hl7.org/fhir/ValueSet/v2-0278|2.8.2 + references: 0, strongest binding: - #Blocked: The indicated time slot(s) is(are) blocked - #BLOCKED: The indicated time slot(s) is(are) blocked. - #Booked: The indicated appointment is booked @@ -35174,6 +35677,7 @@ Value Sets: 930 (unversioned) - #Waitlist: Appointment has been placed on a waiting list for a particular slot, or set of slots - #WAITLIST: Appointment has been placed on a waiting list for a paricular slot, or set of slots - ValueSet: http://hl7.org/fhir/ValueSet/v2-0279|2.8.2 + references: 0, strongest binding: - #Confirm: Contact the Placer Contact Person prior to making any substitutions of this resource - #CONFIRM: Contact the Placer Contact Person prior to making any substitutions of this resource - #No: Substitution of this resource is not allowed @@ -35183,10 +35687,12 @@ Value Sets: 930 (unversioned) - #Yes: Substitution of this resource is allowed - #YES: Substitution of this resource is allowed - ValueSet: http://hl7.org/fhir/ValueSet/v2-0280|2.8.2 + references: 0, strongest binding: - #A: ASAP - #R: Routine - #S: STAT - ValueSet: http://hl7.org/fhir/ValueSet/v2-0281|2.8.2 + references: 0, strongest binding: - #Hom: Home Care - #HOM: Home Care - #Lab: Laboratory @@ -35200,26 +35706,31 @@ Value Sets: 930 (unversioned) - #Skn: Skilled Nursing - #SKN: Skilled Nursing - ValueSet: http://hl7.org/fhir/ValueSet/v2-0282|2.8.2 + references: 0, strongest binding: - #AM: Assume Management - #RP: Return Patient After Evaluation - #SO: Second Opinion - #WR: Send Written Report - ValueSet: http://hl7.org/fhir/ValueSet/v2-0283|2.8.2 + references: 0, strongest binding: - #A: Accepted - #E: Expired - #P: Pending - #R: Rejected - ValueSet: http://hl7.org/fhir/ValueSet/v2-0284|2.8.2 + references: 0, strongest binding: - #A: Ambulatory - #E: Emergency - #I: Inpatient - #O: Outpatient - ValueSet: http://hl7.org/fhir/ValueSet/v2-0286|2.8.2 + references: 0, strongest binding: - #CP: Consulting Provider - #PP: Primary Care Provider - #RP: Referring Provider - #RT: Referred to Provider - ValueSet: http://hl7.org/fhir/ValueSet/v2-0287|2.8.2 + references: 0, strongest binding: - #AD: ADD - #CO: CORRECT - #DE: DELETE @@ -35228,6 +35739,7 @@ Value Sets: 930 (unversioned) - #UN: UNLINK - #UP: UPDATE - ValueSet: http://hl7.org/fhir/ValueSet/v2-0290|2.8.2 + references: 0, strongest binding: - #(pad): = - #0: A - #1: B @@ -35294,6 +35806,7 @@ Value Sets: 930 (unversioned) - #8: I - #9: J - ValueSet: http://hl7.org/fhir/ValueSet/v2-0291|2.8.2 + references: 0, strongest binding: - #...: Source RFC 2046 - #…: Source RFC 2046 - #BASIC: ISDN PCM audio data @@ -35312,6 +35825,7 @@ Value Sets: 930 (unversioned) - #x-hl7-cda-level-one: HL7 Clinical Document Architecture Level One document - #XML: Extensible Markup Language (HL7 V2.3.1 and later) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0292|2.8.2 + references: 0, strongest binding: - #01: DTP - #02: OPV - #03: MMR @@ -35437,6 +35951,7 @@ Value Sets: 930 (unversioned) - #998: no vaccine administered5 - #999: unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0294|2.8.2 + references: 0, strongest binding: - #Fri: An indicator that Friday is or is not preferred for the day on which the appointment will occur. - #FRI: An indicator that Friday is or is not preferred for the day on which the appointment will occur. OK = Preferred appointment day NO = Day is not preferred - #Mon: An indicator that Monday is or is not preferred for the day on which the appointment will occur. @@ -35456,13 +35971,16 @@ Value Sets: 930 (unversioned) - #Wed: An indicator that Wednesday is or is not preferred for the day on which the appointment will occur. - #WED: An indicator that Wednesday is or is not preferred for the day on which the appointment will occur. OK = Preferred appointment day NO = Day is not preferred - ValueSet: http://hl7.org/fhir/ValueSet/v2-0298|2.8.2 + references: 0, strongest binding: - #F: Flat-rate. Apply the entire price to this interval, do not pro-rate the price if the full interval has not occurred/been consumed - #P: Pro-rate. Apply this price to this interval, pro-rated by whatever portion of the interval has occurred/been consumed - ValueSet: http://hl7.org/fhir/ValueSet/v2-0299|2.8.2 + references: 0, strongest binding: - #A: No encoding - data are displayable ASCII characters. - #Base64: Encoding as defined by MIME (Multipurpose Internet Mail Extensions) standard RFC 1521. Four consecutive ASCII characters represent three consecutive octets of binary data. Base64 utilizes a 65-character subset of US-ASCII, consisting of both the upper and - #Hex: Hexadecimal encoding - consecutive pairs of hexadecimal digits represent consecutive single octets. - ValueSet: http://hl7.org/fhir/ValueSet/v2-0301|2.8.2 + references: 0, strongest binding: - #B: - #CLIA: Clinical Laboratory Improvement Amendments. Allows for the ability to designate organization identifier as a "CLIA" assigned number (for labs) - #CLIP: Clinical laboratory Improvement Program. Allows for the ability to designate organization identifier as a "CLIP" assigned number (for labs).  Used by US Department of Defense. @@ -35482,6 +36000,7 @@ Value Sets: 930 (unversioned) - #x400: An X.400 MHS identifier. Recommended format is in accordance with RFC 1649 - #x500: An X.500 directory name - ValueSet: http://hl7.org/fhir/ValueSet/v2-0305|2.8.2 + references: 0, strongest binding: - #C: Clinic - #D: Department - #H: Home @@ -35490,22 +36009,26 @@ Value Sets: 930 (unversioned) - #P: Phone - #S: SNF - ValueSet: http://hl7.org/fhir/ValueSet/v2-0309|2.8.2 + references: 0, strongest binding: - #B: Both hospital and physician - #H: Hospital/institutional - #P: Physician/professional - #RX: Pharmacy - ValueSet: http://hl7.org/fhir/ValueSet/v2-0311|2.8.2 + references: 0, strongest binding: - #O: Other - #P: Permanent - #T: Temporary - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0315|2.8.2 + references: 0, strongest binding: - #F: Yes, patient has a living will but it is not on file - #I: No, patient does not have a living will but information was provided - #N: No, patient does not have a living will and no information was provided - #U: Unknown - #Y: Yes, patient has a living will - ValueSet: http://hl7.org/fhir/ValueSet/v2-0316|2.8.2 + references: 0, strongest binding: - #F: Yes, patient is a documented donor, but documentation is not on file - #I: No, patient is not a documented donor, but information was provided - #N: No, patient has not agreed to be a donor @@ -35514,27 +36037,32 @@ Value Sets: 930 (unversioned) - #U: Unknown - #Y: Yes, patient is a documented donor and documentation is on file - ValueSet: http://hl7.org/fhir/ValueSet/v2-0317|2.8.2 + references: 0, strongest binding: - #9900: Pace spike - #9901: SAS marker - #9902: Sense marker - #9903: Beat marker - #9904: etc. - ValueSet: http://hl7.org/fhir/ValueSet/v2-0321|2.8.2 + references: 0, strongest binding: - #AD: Automatic Dispensing - #F: Floor Stock - #TR: Traditional - #UD: Unit Dose - ValueSet: http://hl7.org/fhir/ValueSet/v2-0322|2.8.2 + references: 0, strongest binding: - #CP: Complete - #NA: Not Administered - #PA: Partially Administered - #RE: Refused - ValueSet: http://hl7.org/fhir/ValueSet/v2-0323|2.8.2 + references: 0, strongest binding: - #A: Add/Insert - #D: Delete - #U: Update - #X: No change - ValueSet: http://hl7.org/fhir/ValueSet/v2-0324|2.8.2 + references: 0, strongest binding: - #GEN: Gender of patient(s) - #IMP: Implant: can be used for radiation implant patients - #INF: Infectious disease: this location can be used for isolation @@ -35548,6 +36076,7 @@ Value Sets: 930 (unversioned) - #STF: Bed is staffed - #TEA: Teaching location - ValueSet: http://hl7.org/fhir/ValueSet/v2-0325|2.8.2 + references: 0, strongest binding: - #ALI: Location Alias(es) - #DTY: Nearest dietary location - #LAB: Nearest lab @@ -35556,12 +36085,15 @@ Value Sets: 930 (unversioned) - #RX: Nearest pharmacy - #RX2: Second nearest pharmacy - ValueSet: http://hl7.org/fhir/ValueSet/v2-0326|2.8.2 + references: 0, strongest binding: - #A: Account level (default) - #V: Visit level - ValueSet: http://hl7.org/fhir/ValueSet/v2-0329|2.8.2 + references: 0, strongest binding: - #A: Actual count - #E: Estimated (see comment) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0330|2.8.2 + references: 0, strongest binding: - #510E: 510 (K) exempt - #510K: 510 (K) - #522S: Post marketing study (522) @@ -35569,19 +36101,23 @@ Value Sets: 930 (unversioned) - #PRE: Preamendment - #TXN: Transitional - ValueSet: http://hl7.org/fhir/ValueSet/v2-0331|2.8.2 + references: 0, strongest binding: - #A: Agent for a foreign manufacturer - #D: Distributor - #M: Manufacturer - #U: User - ValueSet: http://hl7.org/fhir/ValueSet/v2-0332|2.8.2 + references: 0, strongest binding: - #A: Accept - #I: Initiate - ValueSet: http://hl7.org/fhir/ValueSet/v2-0334|2.8.2 + references: 0, strongest binding: - #AP: Associated party - #GT: Guarantor - #IN: Insured - #PT: Patient - ValueSet: http://hl7.org/fhir/ValueSet/v2-0335|2.8.2 + references: 0, strongest binding: - #A: Ante (before) - #BID: twice a day at institution-specified times - #C: service is provided continuously between start time and stop time @@ -35611,14 +36147,17 @@ Value Sets: 930 (unversioned) - #V: Cibus Vespertinus (dinner) - #xID: "X" times per day at institution-specified times, where X is a numeral 5 or greater. - ValueSet: http://hl7.org/fhir/ValueSet/v2-0336|2.8.2 + references: 0, strongest binding: - #O: Provider Ordered - #P: Patient Preference - #S: Second Opinion - #W: Work Load - ValueSet: http://hl7.org/fhir/ValueSet/v2-0337|2.8.2 + references: 0, strongest binding: - #C: Certified - #E: Eligible - ValueSet: http://hl7.org/fhir/ValueSet/v2-0338|2.8.2 + references: 0, strongest binding: - #CY: County number - #DEA: Drug Enforcement Agency no. - #GL: General ledger number @@ -35632,11 +36171,13 @@ Value Sets: 930 (unversioned) - #TRL: Training license number - #UPIN: Unique physician ID no. - ValueSet: http://hl7.org/fhir/ValueSet/v2-0339|2.8.2 + references: 0, strongest binding: - #1: Service is subject to medical necessity procedures - #2: Patient has been informed of responsibility, and agrees to pay for service - #3: Patient has been informed of responsibility, and asks that the payer be billed - #4: Advanced Beneficiary Notice has not been signed - ValueSet: http://hl7.org/fhir/ValueSet/v2-0344|2.8.2 + references: 0, strongest binding: - #01: Patient is insured - #02: Spouse - #03: Natural child/insured financial responsibility @@ -35657,6 +36198,7 @@ Value Sets: 930 (unversioned) - #18: Parent - #19: Grandparent - ValueSet: http://hl7.org/fhir/ValueSet/v2-0350|2.8.2 + references: 0, strongest binding: - #...: Use NUBC codes - #…: Use NUBC codes - #01: Auto accident @@ -35737,6 +36279,7 @@ Value Sets: 930 (unversioned) - #A2: Effective date - insured A policy - #A3: Benefits exhausted payer A - ValueSet: http://hl7.org/fhir/ValueSet/v2-0351|2.8.2 + references: 0, strongest binding: - #...: use NUBC codes - #…: use NUBC codes - #70: Qualifying stay dates for SNF @@ -35751,12 +36294,14 @@ Value Sets: 930 (unversioned) - #79: Payer code - #M0: PSRO/UR approved stay dates - ValueSet: http://hl7.org/fhir/ValueSet/v2-0353|2.8.2 + references: 0, strongest binding: - #ASKU: asked but unknown - #NA: not applicable - #NASK: not asked - #NAV: temporarily unavailable - #UNK: unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0354|2.8.2 + references: 0, strongest binding: - #ACK: Varies - #ADR_A19: - #ADT_A01: A01, A04, A08, A13 @@ -36056,14 +36601,17 @@ Value Sets: 930 (unversioned) - #VXU_V04: V04 - #VXX_V02: V02 - ValueSet: http://hl7.org/fhir/ValueSet/v2-0355|2.8.2 + references: 0, strongest binding: - #CE: Coded element - #CWE: Coded with Exceptions - #PL: Person location - ValueSet: http://hl7.org/fhir/ValueSet/v2-0356|2.8.2 + references: 0, strongest binding: - #: This is the default, indicating that there is no character set switching occurring in this message. - #2.3: The character set switching mode specified in HL7 2.5, section 2.7.2 and section 2.A.46, "XPN - extended person name". - #ISO 2022-1994: This standard is titled "Information Technology - Character Code Structure and Extension Technique". . - ValueSet: http://hl7.org/fhir/ValueSet/v2-0357|2.8.2 + references: 0, strongest binding: - #0: Message accepted - #100: Segment sequence error - #101: Required field missing @@ -36079,6 +36627,7 @@ Value Sets: 930 (unversioned) - #206: Application record locked - #207: Application internal error - ValueSet: http://hl7.org/fhir/ValueSet/v2-0359|2.8.2 + references: 0, strongest binding: - #...: - #0: Not included in diagnosis ranking - #1: The primary diagnosis @@ -36086,6 +36635,7 @@ Value Sets: 930 (unversioned) - #2 ...: For ranked secondary diagnoses - #2 and higher: for ranked secondary diagnoses - ValueSet: http://hl7.org/fhir/ValueSet/v2-0363|2.8.2 + references: 0, strongest binding: - #...: No suggested values defined - #AUSDVA: Australia - Dept. of Veterans Affairs - #AUSHIC: Australia - Health Insurance Commission @@ -36107,6 +36657,7 @@ Value Sets: 930 (unversioned) - #USHCFA: US Healthcare Finance Authority - #USSSA: US Social Security Administration - ValueSet: http://hl7.org/fhir/ValueSet/v2-0364|2.8.2 + references: 0, strongest binding: - #1R: Primary Reason - #2R: Secondary Reason - #AI: Ancillary Instructions @@ -36116,6 +36667,7 @@ Value Sets: 930 (unversioned) - #PI: Patient Instructions - #RE: Remark - ValueSet: http://hl7.org/fhir/ValueSet/v2-0365|2.8.2 + references: 0, strongest binding: - #...: (null) No state change - #…: (null) No state change - #CL: Clearing @@ -36133,11 +36685,13 @@ Value Sets: 930 (unversioned) - #SS: Sampling stopped - #TS: Transport stopped - ValueSet: http://hl7.org/fhir/ValueSet/v2-0366|2.8.2 + references: 0, strongest binding: - #...: (null) No state change - #…: (null) No state change - #L: Local - #R: Remote - ValueSet: http://hl7.org/fhir/ValueSet/v2-0367|2.8.2 + references: 0, strongest binding: - #...: (null) No level change - #…: (null) No level change - #C: Critical @@ -36145,6 +36699,7 @@ Value Sets: 930 (unversioned) - #S: Serious - #W: Warning - ValueSet: http://hl7.org/fhir/ValueSet/v2-0368|2.8.2 + references: 0, strongest binding: - #AB: Abort - #AF: Aliquot From container - #AT: Aliquot To container @@ -36167,6 +36722,7 @@ Value Sets: 930 (unversioned) - #UC: Unlock - #UN: Unload - ValueSet: http://hl7.org/fhir/ValueSet/v2-0369|2.8.2 + references: 0, strongest binding: - #B: Blind Sample - #C: Calibrator, used for initial setting of calibration - #E: Electronic QC, used with manufactured reference providing signals that simulate QC results @@ -36179,6 +36735,7 @@ Value Sets: 930 (unversioned) - #R: Replicate (of patient sample as a control) - #V: Verifying Calibrator, used for periodic calibration checks - ValueSet: http://hl7.org/fhir/ValueSet/v2-0370|2.8.2 + references: 0, strongest binding: - #I: Identified - #L: Left Equipment - #M: Missing @@ -36188,6 +36745,7 @@ Value Sets: 930 (unversioned) - #U: Unknown - #X: Container Unavailable - ValueSet: http://hl7.org/fhir/ValueSet/v2-0371|2.8.2 + references: 1, strongest binding: Example - #ACDA: ACD Solution A - #ACDB: ACD Solution B - #ACET: Acetic Acid @@ -36246,6 +36804,7 @@ Value Sets: 930 (unversioned) - #VIRTM: Viral Transport medium - #WEST: Buffered Citrate (Westergren Sedimentation Rate) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0372|2.8.2 + references: 0, strongest binding: - #BLD: Whole blood, homogeneous - #BSEP: Whole blood, separated - #PLAS: Plasma, NOS (not otherwise specified) @@ -36255,6 +36814,7 @@ Value Sets: 930 (unversioned) - #SER: Serum, NOS (not otherwise specified) - #SUP: Supernatant - ValueSet: http://hl7.org/fhir/ValueSet/v2-0373|2.8.2 + references: 0, strongest binding: - #ACID: Acidification - #ALK: Alkalization - #DEFB: Defibrination @@ -36264,11 +36824,14 @@ Value Sets: 930 (unversioned) - #RECA: Recalification - #UFIL: Ultrafiltration - ValueSet: http://hl7.org/fhir/ValueSet/v2-0374|2.8.2 + references: 0, strongest binding: - #CNTM: Present, type of contamination unspecified - ValueSet: http://hl7.org/fhir/ValueSet/v2-0375|2.8.2 + references: 0, strongest binding: - #FLUR: Fluorocarbons - #SFHB: Stromal free hemoglobin preparations - ValueSet: http://hl7.org/fhir/ValueSet/v2-0376|2.8.2 + references: 0, strongest binding: - #AMB: Ambient temperature - #C37: Body temperature - #CAMB: Critical ambient temperature @@ -36287,9 +36850,11 @@ Value Sets: 930 (unversioned) - #UFRZ: Ultra frozen - #UPR: Upright - ValueSet: http://hl7.org/fhir/ValueSet/v2-0377|2.8.2 + references: 0, strongest binding: - #A60: Opened container, indoor atmosphere, 60 minutes duration - #ATM: Opened container, atmosphere and duration unspecified - ValueSet: http://hl7.org/fhir/ValueSet/v2-0383|2.8.2 + references: 0, strongest binding: - #CE: Calibration Error - #CW: Calibration Warning - #EE: Expired Error @@ -36302,6 +36867,7 @@ Value Sets: 930 (unversioned) - #QE: QC Error - #QW: QC Warning - ValueSet: http://hl7.org/fhir/ValueSet/v2-0384|2.8.2 + references: 0, strongest binding: - #CO: Control - #DI: Diluent - #LI: Measurable Liquid Item @@ -36315,35 +36881,43 @@ Value Sets: 930 (unversioned) - #SR: Single Test Reagent - #SW: Solid Waste - ValueSet: http://hl7.org/fhir/ValueSet/v2-0387|2.8.2 + references: 0, strongest binding: - #ER: Command cannot be completed because of error condition - #OK: Command completed successfully - #ST: Command cannot be completed because of the status of the requested equipment - #TI: Command cannot be completed within requested completion time - #UN: Command cannot be completed for unknown reasons - ValueSet: http://hl7.org/fhir/ValueSet/v2-0388|2.8.2 + references: 0, strongest binding: - #E: Evaluation - #P: Regular Production - ValueSet: http://hl7.org/fhir/ValueSet/v2-0389|2.8.2 + references: 0, strongest binding: - #D: Repeated with dilution - #F: Reflex test - #O: Original, first run - #R: Repeated without dilution - ValueSet: http://hl7.org/fhir/ValueSet/v2-0392|2.8.2 + references: 0, strongest binding: - #DB: Match on Date of Birth - #NA: Match on Name (Alpha Match) - #NP: Match on Name (Phonetic Match) - #SS: Match on Social Security Number - ValueSet: http://hl7.org/fhir/ValueSet/v2-0393|2.8.2 + references: 0, strongest binding: - #LINKSOFT_2.01: Proprietary algorithm for LinkSoft v2.01 - #MATCHWARE_1.2: Proprietary algorithm for MatchWare v1.2 - ValueSet: http://hl7.org/fhir/ValueSet/v2-0394|2.8.2 + references: 0, strongest binding: - #B: Batch - #R: Real Time - #T: Bolus (a series of responses sent at the same time without use of batch formatting) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0395|2.8.2 + references: 0, strongest binding: - #M: Modified Subscription - #N: New Subscription - ValueSet: http://hl7.org/fhir/ValueSet/v2-0396|2.8.2 + references: 0, strongest binding: - #99zzz: Local general code where z is an alphanumeric character - #99zzz or L: Local general code (where z is an alphanumeric character) - #ACR: American College of Radiology finding codes @@ -36528,29 +37102,35 @@ Value Sets: 930 (unversioned) - #X12Dennnn: ASC X12 Code List nnnn - #X12DEnnnn: ASC X12 Code List nnnn - ValueSet: http://hl7.org/fhir/ValueSet/v2-0397|2.8.2 + references: 0, strongest binding: - #A: Ascending - #AN: Ascending, case insensitive - #D: Descending - #DN: Descending, case insensitive - #N: None - ValueSet: http://hl7.org/fhir/ValueSet/v2-0398|2.8.2 + references: 0, strongest binding: - #F: Fragmentation - #I: Interactive Continuation - ValueSet: http://hl7.org/fhir/ValueSet/v2-0401|2.8.2 + references: 0, strongest binding: - #C: Medi-Cal - #MM: Medicare - ValueSet: http://hl7.org/fhir/ValueSet/v2-0402|2.8.2 + references: 0, strongest binding: - #D: Dental - #G: Graduate - #M: Medical - #U: Undergraduate - ValueSet: http://hl7.org/fhir/ValueSet/v2-0403|2.8.2 + references: 0, strongest binding: - #1: Read - #2: Write - #3: Speak - #4: Understand - #5: Sign - ValueSet: http://hl7.org/fhir/ValueSet/v2-0404|2.8.2 + references: 0, strongest binding: - #1: Excellent - #2: Good - #3: Fair @@ -36558,6 +37138,7 @@ Value Sets: 930 (unversioned) - #5: Some (level unknown) - #6: None - ValueSet: http://hl7.org/fhir/ValueSet/v2-0406|2.8.2 + references: 0, strongest binding: - #1: Hospital - #2: Physician Clinic - #3: Long Term Care @@ -36566,10 +37147,12 @@ Value Sets: 930 (unversioned) - #H: Home - #O: Office - ValueSet: http://hl7.org/fhir/ValueSet/v2-0409|2.8.2 + references: 0, strongest binding: - #M: Migrates to different CPU - #SD: Shut down - #SU: Start up - ValueSet: http://hl7.org/fhir/ValueSet/v2-0411|2.8.2 + references: 0, strongest binding: - #...: No suggested values defined. - #1ST: First - #2ND: Second @@ -36602,15 +37185,18 @@ Value Sets: 930 (unversioned) - #WOC: Without Contrast - #WSD: With Sedation - ValueSet: http://hl7.org/fhir/ValueSet/v2-0415|2.8.2 + references: 0, strongest binding: - #E: DRG Exempt - #N: DRG Non Exempt - ValueSet: http://hl7.org/fhir/ValueSet/v2-0416|2.8.2 + references: 0, strongest binding: - #1: 1st non-Operative - #2: 2nd non-Operative - #3: Major Operative - #4: 2nd Operative - #5: 3rd Operative - ValueSet: http://hl7.org/fhir/ValueSet/v2-0417|2.8.2 + references: 0, strongest binding: - #0: No tissue expected - #1: Insufficient Tissue - #2: Not abnormal @@ -36625,16 +37211,19 @@ Value Sets: 930 (unversioned) - #C: Carcinoma-unspecified type - #G: Additional tissue required - ValueSet: http://hl7.org/fhir/ValueSet/v2-0418|2.8.2 + references: 0, strongest binding: - #...: - #…: - #0: the admitting procedure - #1: the primary procedure - #2: for ranked secondary procedures - ValueSet: http://hl7.org/fhir/ValueSet/v2-0421|2.8.2 + references: 0, strongest binding: - #MI: Mild - #MO: Moderate - #SE: Severe - ValueSet: http://hl7.org/fhir/ValueSet/v2-0422|2.8.2 + references: 0, strongest binding: - #1: Non-acute - #2: Acute - #3: Urgent @@ -36642,18 +37231,22 @@ Value Sets: 930 (unversioned) - #5: Dead on Arrival (DOA) - #99: Other - ValueSet: http://hl7.org/fhir/ValueSet/v2-0423|2.8.2 + references: 0, strongest binding: - #D: Doctor's Office Closed - ValueSet: http://hl7.org/fhir/ValueSet/v2-0424|2.8.2 + references: 0, strongest binding: - #1: Premature / Pre-term - #2: Full Term - #3: Overdue / Post-term - ValueSet: http://hl7.org/fhir/ValueSet/v2-0425|2.8.2 + references: 0, strongest binding: - #1: Born in facility - #2: Transfer in - #3: Born en route - #4: Other - #5: Born at home - ValueSet: http://hl7.org/fhir/ValueSet/v2-0426|2.8.2 + references: 0, strongest binding: - #CRYO: Cryoprecipitated AHF - #CRYOP: Pooled Cryoprecipitate - #FFP: Fresh Frozen Plasma @@ -36670,6 +37263,7 @@ Value Sets: 930 (unversioned) - #RWB: Reconstituted Whole Blood - #WBA: Autologous Whole Blood - ValueSet: http://hl7.org/fhir/ValueSet/v2-0427|2.8.2 + references: 0, strongest binding: - #B: Body fluid exposure - #C: Contaminated Substance - #D: Diet Errors @@ -36685,10 +37279,12 @@ Value Sets: 930 (unversioned) - #S: Suicide Attempt - #T: Transfusion error - ValueSet: http://hl7.org/fhir/ValueSet/v2-0428|2.8.2 + references: 0, strongest binding: - #O: Other - #P: Preventable - #U: User Error - ValueSet: http://hl7.org/fhir/ValueSet/v2-0429|2.8.2 + references: 0, strongest binding: - #BR: Breeding/genetic stock - #DA: Dairy - #DR: Draft @@ -36702,6 +37298,7 @@ Value Sets: 930 (unversioned) - #SH: Show - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0430|2.8.2 + references: 0, strongest binding: - #A: Ambulance - #C: Car - #F: On foot @@ -36710,6 +37307,7 @@ Value Sets: 930 (unversioned) - #P: Public Transport - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0431|2.8.2 + references: 0, strongest binding: - #A: Alcohol - #C: Tobacco - chewed - #K: Kava @@ -36718,6 +37316,7 @@ Value Sets: 930 (unversioned) - #T: Tobacco - smoked - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0432|2.8.2 + references: 0, strongest binding: - #AC: Acute - #CH: Chronic - #CO: Comatose @@ -36725,6 +37324,7 @@ Value Sets: 930 (unversioned) - #IM: Improved - #MO: Moribund - ValueSet: http://hl7.org/fhir/ValueSet/v2-0433|2.8.2 + references: 0, strongest binding: - #A: Aggressive - #B: Blind - #C: Confused @@ -36735,6 +37335,7 @@ Value Sets: 930 (unversioned) - #P: Paraplegic - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0434|2.8.2 + references: 0, strongest binding: - #A: Satisfactory - #C: Critical - #O: Other @@ -36742,19 +37343,23 @@ Value Sets: 930 (unversioned) - #S: Stable - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0435|2.8.2 + references: 0, strongest binding: - #DNR: Do not resuscitate - #N: No directive - ValueSet: http://hl7.org/fhir/ValueSet/v2-0436|2.8.2 + references: 0, strongest binding: - #AD: Adverse Reaction (Not otherwise classified) - #AL: Allergy - #CT: Contraindication - #IN: Intolerance - #SE: Side Effect - ValueSet: http://hl7.org/fhir/ValueSet/v2-0437|2.8.2 + references: 0, strongest binding: - #B: Bracelet - #N: Necklace - #W: Wallet Card - ValueSet: http://hl7.org/fhir/ValueSet/v2-0438|2.8.2 + references: 0, strongest binding: - #C: Confirmed or verified - #D: Doubt raised - #E: Erroneous @@ -36763,6 +37368,7 @@ Value Sets: 930 (unversioned) - #S: Suspect - #U: Unconfirmed - ValueSet: http://hl7.org/fhir/ValueSet/v2-0440|2.8.2 + references: 0, strongest binding: - #AD: Address - #AUI: Authorization information - #CCD: Charge code and date @@ -36860,6 +37466,7 @@ Value Sets: 930 (unversioned) - #XPN: Extended person name - #XTN: Extended telecommunications number - ValueSet: http://hl7.org/fhir/ValueSet/v2-0441|2.8.2 + references: 0, strongest binding: - #A: Active - #I: Inactive - #L: Inactive - Lost to follow-up (cancel contract) @@ -36868,11 +37475,13 @@ Value Sets: 930 (unversioned) - #P: Inactive - Permanently inactive (Do not reactivate or add new entries to the record) - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0442|2.8.2 + references: 0, strongest binding: - #D: Diagnostic - #E: Emergency Room Casualty - #P: Primary Care - #T: Therapeutic - ValueSet: http://hl7.org/fhir/ValueSet/v2-0443|2.8.2 + references: 0, strongest binding: - #AD: Admitting - #AI: Assistant/Alternate Interpreter - #AP: Administering Provider @@ -36897,27 +37506,35 @@ Value Sets: 930 (unversioned) - #VPS: Verifying Pharmaceutical Supplier (not sure how to dissect Pharmacist/Treatment Supplier's Verifier ID) - #VTS: Verifying Treatment Supplier (not sure how to dissect Pharmacist/Treatment Supplier's Verifier ID) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0444|2.8.2 + references: 0, strongest binding: - #F: Prefix Family Middle Given Suffix - #G: Prefix Given Middle Family Suffix - ValueSet: http://hl7.org/fhir/ValueSet/v2-0445|2.8.2 + references: 0, strongest binding: - #AL: Patient/Person Name is an Alias - #UA: Unknown/Default Address - #UD: Unknown/Default Date of Birth - #US: Unknown/Default Social Security Number - ValueSet: http://hl7.org/fhir/ValueSet/v2-0450|2.8.2 + references: 0, strongest binding: - #LOG: Log Event - #SER: Service Event - ValueSet: http://hl7.org/fhir/ValueSet/v2-0452|2.8.2 + references: 0, strongest binding: - #SUGGESTION: ANSI ASC X12 Health Care Provider Taxonomy, Level 1 - Type - ValueSet: http://hl7.org/fhir/ValueSet/v2-0453|2.8.2 + references: 0, strongest binding: - #SUGGESTION: ANSI ASC X12 Health Care Provider Taxonomy, Level 2 - Classification - ValueSet: http://hl7.org/fhir/ValueSet/v2-0454|2.8.2 + references: 0, strongest binding: - #SUGGESTION: ANSI ASC X12 Health Care Provider Taxonomy, Level 3 - specialization - ValueSet: http://hl7.org/fhir/ValueSet/v2-0455|2.8.2 + references: 0, strongest binding: - #...: No suggested values defined - #131: Hospital - Outpatient - Admit thru Discharge Claim - #141: Hospital - Other - Admit thru Discharge Claim - ValueSet: http://hl7.org/fhir/ValueSet/v2-0456|2.8.2 + references: 0, strongest binding: - #...: No suggested values defined - #260: IV Therapy - #280: Oncology @@ -36926,40 +37543,48 @@ Value Sets: 930 (unversioned) - #993: Telephone/Telegraph - #994: TV/Radio - ValueSet: http://hl7.org/fhir/ValueSet/v2-0457|2.8.2 + references: 0, strongest binding: - #0: No edits present on claim - #1: Only edits present are for line item denial or rejection - #2: Multiple-day claim with one or more days denied or rejected - #3: Claim denied, rejected, suspended or returned to provider with only post payment edits - #4: Claim denied, rejected, suspended or returned to provider with only pre payment edits - ValueSet: http://hl7.org/fhir/ValueSet/v2-0459|2.8.2 + references: 0, strongest binding: - #0: OCE line item denial or rejection is not ignored - #1: OCE line item denial or rejection is ignored - #2: External line item denial. Line item is denied even if no OCE edits - #3: External line item rejection. Line item is rejected even if no OCE edits - ValueSet: http://hl7.org/fhir/ValueSet/v2-0460|2.8.2 + references: 0, strongest binding: - #0: Line item not denied or rejected - #1: Line item denied or rejected - #2: Line item is on a multiple-day claim. The line item is not denied or rejected, but occurs on a day that has been denied or rejected. - ValueSet: http://hl7.org/fhir/ValueSet/v2-0465|2.8.2 + references: 0, strongest binding: - #A: Alphabetic (i.e., Default or some single-byte) - #I: Ideographic (i.e., Kanji) - #P: Phonetic (i.e., ASCII, Katakana, Hiragana, etc.) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0466|2.8.2 + references: 0, strongest binding: - #...: - #031: Dental procedures - #163: Excision/biopsy - #181: Level 1 skin repair. - ValueSet: http://hl7.org/fhir/ValueSet/v2-0468|2.8.2 + references: 0, strongest binding: - #1: No payment adjustment - #2: Designated current drug or biological payment adjustment applies to APC (status indicator G) - #3: Designated new device payment adjustment applies to APC (status indicator H) - #4: Designated new drug or new biological payment adjustment applies to APC (status indicator J) - #5: Deductible not applicable (specific list of HCPCS codes) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0469|2.8.2 + references: 0, strongest binding: - #0: Not packaged - #1: Packaged service (status indicator N, or no HCPCS code and certain revenue codes) - #2: Packaged as part of partial hospitalization per diem or daily mental health service per diem - ValueSet: http://hl7.org/fhir/ValueSet/v2-0470|2.8.2 + references: 0, strongest binding: - #Crnl: Corneal Tissue APC - #DME: Durable Medical Equipment - #EPO: Epotein @@ -36971,15 +37596,18 @@ Value Sets: 930 (unversioned) - #Pckg: Packaged APC - #Thrpy: Therapy APC - ValueSet: http://hl7.org/fhir/ValueSet/v2-0472|2.8.2 + references: 0, strongest binding: - #A: Asynchronous - #C: Actuation Time - #S: Synchronous - ValueSet: http://hl7.org/fhir/ValueSet/v2-0473|2.8.2 + references: 0, strongest binding: - #G: This observation/service is on the formulary, and has guidelines - #N: This observation/service is not on the formulary - #R: This observation/service is on the formulary, but is restricted - #Y: This observation/service is on the formulary - ValueSet: http://hl7.org/fhir/ValueSet/v2-0474|2.8.2 + references: 0, strongest binding: - #D: Department - #F: Facility - #L: Local market area @@ -36988,12 +37616,14 @@ Value Sets: 930 (unversioned) - #U: Subdepartment - #V: Division - ValueSet: http://hl7.org/fhir/ValueSet/v2-0475|2.8.2 + references: 0, strongest binding: - #01: Allergy - #02: Intolerance - #03: Treatment Failure - #04: Patient Request - #05: No Exception - ValueSet: http://hl7.org/fhir/ValueSet/v2-0477|2.8.2 + references: 0, strongest binding: - #I: Schedule I - #II: Schedule II - #III: Schedule III @@ -37001,18 +37631,22 @@ Value Sets: 930 (unversioned) - #V: Schedule V - #VI: Schedule VI - ValueSet: http://hl7.org/fhir/ValueSet/v2-0478|2.8.2 + references: 0, strongest binding: - #G: Pharmaceutical substance is in the formulary, but guidelines apply - #N: Pharmaceutical substance is NOT in the formulary - #R: Pharmaceutical substance is in the formulary, but restrictions apply - #Y: Pharmaceutical substance is in the formulary - ValueSet: http://hl7.org/fhir/ValueSet/v2-0480|2.8.2 + references: 0, strongest binding: - #M: Medication - #O: Other solution as medication orders - #S: IV Large Volume Solutions - ValueSet: http://hl7.org/fhir/ValueSet/v2-0482|2.8.2 + references: 0, strongest binding: - #I: Inpatient Order - #O: Outpatient Order - ValueSet: http://hl7.org/fhir/ValueSet/v2-0483|2.8.2 + references: 0, strongest binding: - #EL: Electronic - #EM: E-mail - #FX: Fax @@ -37024,6 +37658,7 @@ Value Sets: 930 (unversioned) - #VC: Video-conference - #VO: Voice - ValueSet: http://hl7.org/fhir/ValueSet/v2-0484|2.8.2 + references: 0, strongest binding: - #B: Trial Quantity Balance - #C: Compassionate Fill - #N: New/Renew - Full Fill @@ -37034,6 +37669,7 @@ Value Sets: 930 (unversioned) - #T: Trial Quantity - #Z: Non-Prescription Fill - ValueSet: http://hl7.org/fhir/ValueSet/v2-0485|2.8.2 + references: 0, strongest binding: - #A: ASAP - #C: Callback - #P: Preop @@ -37048,6 +37684,7 @@ Value Sets: 930 (unversioned) - #TS: Timing critical within seconds. - #TW: Timing critical within weeks. - ValueSet: http://hl7.org/fhir/ValueSet/v2-0487|2.8.2 + references: 1, strongest binding: Example - #...: No suggested values - #ABS: Abscess - #ACNE: Tissue, Acne @@ -37364,6 +38001,7 @@ Value Sets: 930 (unversioned) - #WWO: Environmental, Water (Ocean) - #WWT: Environmental, Water (Tap) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0488|2.8.2 + references: 0, strongest binding: - #ANP: Plates, Anaerobic - #BAP: Plates, Blood Agar - #BCAE: Blood Culture, Aerobic Bottle @@ -37407,6 +38045,7 @@ Value Sets: 930 (unversioned) - #VENIP: Venipuncture - #WOOD: Swab, Wooden Shaft - ValueSet: http://hl7.org/fhir/ValueSet/v2-0489|2.8.2 + references: 0, strongest binding: - #AGG: Aggressive - #BHZ: Biohazard - #BIO: Biological @@ -37419,6 +38058,7 @@ Value Sets: 930 (unversioned) - #POI: Poison - #RAD: Radioactive - ValueSet: http://hl7.org/fhir/ValueSet/v2-0490|2.8.2 + references: 0, strongest binding: - #EX: Expired - #QS: Quantity not sufficient - #RA: Missing patient ID number @@ -37434,16 +38074,19 @@ Value Sets: 930 (unversioned) - #RR: Improper storage - #RS: Name misspelling - ValueSet: http://hl7.org/fhir/ValueSet/v2-0491|2.8.2 + references: 0, strongest binding: - #E: Excellent - #F: Fair - #G: Good - #P: Poor - ValueSet: http://hl7.org/fhir/ValueSet/v2-0492|2.8.2 + references: 0, strongest binding: - #??: Inappropriate due to ... - #A: Appropriate - #I: Inappropriate - #P: Preferred - ValueSet: http://hl7.org/fhir/ValueSet/v2-0493|2.8.2 + references: 0, strongest binding: - #AUT: Autolyzed - #CFU: Centrifuged - #CLOT: Clotted @@ -37455,10 +38098,12 @@ Value Sets: 930 (unversioned) - #ROOM: Room temperature - #SNR: Sample not received - ValueSet: http://hl7.org/fhir/ValueSet/v2-0494|2.8.2 + references: 0, strongest binding: - #A: Aliquot - #C: Component - #M: Modified from original specimen - ValueSet: http://hl7.org/fhir/ValueSet/v2-0495|2.8.2 + references: 0, strongest binding: - #ANT: Anterior - #BIL: Bilateral - #DIS: Distal @@ -37476,6 +38121,7 @@ Value Sets: 930 (unversioned) - #RUQ: Quadrant, Right Upper - #UPP: Upper - ValueSet: http://hl7.org/fhir/ValueSet/v2-0496|2.8.2 + references: 0, strongest binding: - #001: Release of Information/MR / Authorization to Disclosure Protected Health Information - #002: Medical Procedure (invasive) - #003: Acknowledge Receipt of Privacy Notice @@ -37614,10 +38260,12 @@ Value Sets: 930 (unversioned) - #135: Venogram - #136: Videotape - ValueSet: http://hl7.org/fhir/ValueSet/v2-0497|2.8.2 + references: 0, strongest binding: - #T: Telephone - #V: Verbal - #W: Written - ValueSet: http://hl7.org/fhir/ValueSet/v2-0498|2.8.2 + references: 0, strongest binding: - #A: Active - Consent has been granted - #B: Bypassed (Consent not sought) - #L: Limited - Consent has been granted with limitations @@ -37625,45 +38273,55 @@ Value Sets: 930 (unversioned) - #R: Refused - Consent has been refused - #X: Rescinded - Consent was initially granted, but was subsequently revoked or ended. - ValueSet: http://hl7.org/fhir/ValueSet/v2-0499|2.8.2 + references: 0, strongest binding: - #E: Emergency - #PJ: Professional Judgment - ValueSet: http://hl7.org/fhir/ValueSet/v2-0500|2.8.2 + references: 0, strongest binding: - #F: Full Disclosure - #N: No Disclosure - #P: Partial Disclosure - ValueSet: http://hl7.org/fhir/ValueSet/v2-0501|2.8.2 + references: 0, strongest binding: - #E: Emergency - #PR: Patient Request - #RX: Rx Private - ValueSet: http://hl7.org/fhir/ValueSet/v2-0502|2.8.2 + references: 0, strongest binding: - #LM: Legally mandated - #MIN: Subject is a minor - #NC: Subject is not competent to consent - ValueSet: http://hl7.org/fhir/ValueSet/v2-0503|2.8.2 + references: 0, strongest binding: - #C: Cyclical - #R: Reserved for future use - #S: Sequential - ValueSet: http://hl7.org/fhir/ValueSet/v2-0504|2.8.2 + references: 0, strongest binding: - #EE: End related service request(s), end current service request. - #ES: End related service request(s), start current service request. - #SE: Start related service request(s), end current service request. - #SS: Start related service request(s), start current service request. - ValueSet: http://hl7.org/fhir/ValueSet/v2-0505|2.8.2 + references: 0, strongest binding: - ##: The last service request in a cyclic group. - #*: The first service request in a cyclic group - ValueSet: http://hl7.org/fhir/ValueSet/v2-0506|2.8.2 + references: 0, strongest binding: - #C: Compound - #E: Exclusive - #N: Nurse prerogative - #S: Simultaneous - #T: Tapering - ValueSet: http://hl7.org/fhir/ValueSet/v2-0507|2.8.2 + references: 0, strongest binding: - #A: Alert provider when abnormal - #BCC: Blind Copy - #CC: Copies Requested - #F: Film-with-patient - #N: Notify provider when ready - ValueSet: http://hl7.org/fhir/ValueSet/v2-0508|2.8.2 + references: 0, strongest binding: - #AU: Autologous Unit - #CM: CMV Negative - #CS: CMV Safe @@ -37676,6 +38334,7 @@ Value Sets: 930 (unversioned) - #LR: Leukoreduced - #WA: Washed - ValueSet: http://hl7.org/fhir/ValueSet/v2-0510|2.8.2 + references: 0, strongest binding: - #CR: Released into inventory for general availability - #DS: Dispensed to patient location - #PT: Presumed transfused (dispensed and not returned) @@ -37688,6 +38347,7 @@ Value Sets: 930 (unversioned) - #RS: Reserved (ordered and product allocated for the patient) - #WA: Wasted (product no longer viable) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0511|2.8.2 + references: 0, strongest binding: - #C: Record coming over is a correction and thus replaces a final status - #D: Deletes the BPX record - #F: Final status; Can only be changed with a corrected status @@ -37695,12 +38355,14 @@ Value Sets: 930 (unversioned) - #P: Preliminary status - #W: Post original as wrong, e.g. transmitted for wrong patient - ValueSet: http://hl7.org/fhir/ValueSet/v2-0513|2.8.2 + references: 0, strongest binding: - #RA: Returned unused/no longer needed - #RL: Returned unused/keep linked to patient for possible use later - #TR: Transfused with adverse reaction - #TX: Transfused - #WA: Wasted (product no longer viable) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0514|2.8.2 + references: 0, strongest binding: - #ABOINC: ABO Incompatible Transfusion Reaction - #ACUTHEHTR: Acute Hemolytic Transfusion Reaction - #ALLERGIC1: Allergic Reaction - First @@ -37721,31 +38383,38 @@ Value Sets: 930 (unversioned) - #PTP: Posttransfusion Purpura - #VOLOVER: Symptoms most likely due to volume overload - ValueSet: http://hl7.org/fhir/ValueSet/v2-0516|2.8.2 + references: 0, strongest binding: - #E: Error - #F: Fatal Error - #I: Information - #W: Warning - ValueSet: http://hl7.org/fhir/ValueSet/v2-0517|2.8.2 + references: 0, strongest binding: - #HD: Inform help desk - #NPAT: Do NOT inform patient - #PAT: Inform patient - #USR: Inform User - ValueSet: http://hl7.org/fhir/ValueSet/v2-0518|2.8.2 + references: 0, strongest binding: - #EQV: Equivalence Override - #EXTN: Extension Override - #INLV: Interval Override - ValueSet: http://hl7.org/fhir/ValueSet/v2-0520|2.8.2 + references: 0, strongest binding: - #H: High - #L: Low - #M: Medium - ValueSet: http://hl7.org/fhir/ValueSet/v2-0523|2.8.2 + references: 0, strongest binding: - #%: Indicates a percent change - #a: Absolute Change - ValueSet: http://hl7.org/fhir/ValueSet/v2-0524|2.8.2 + references: 0, strongest binding: - #C: Repeating cycle of orders - #R: Reserved for possible future use - #S: Sequence conditions - ValueSet: http://hl7.org/fhir/ValueSet/v2-0527|2.8.2 + references: 0, strongest binding: - #DM: day of the month - #DW: day of the week (begins with Monday) - #DY: day of the year @@ -37755,6 +38424,7 @@ Value Sets: 930 (unversioned) - #SN: second of the minute - #WY: week of the year - ValueSet: http://hl7.org/fhir/ValueSet/v2-0528|2.8.2 + references: 0, strongest binding: - #AC: before meal (from lat. ante cibus) - #ACD: before lunch (from lat. ante cibus diurnus) - #ACM: before breakfast (from lat. ante cibus matutinus) @@ -37769,6 +38439,7 @@ Value Sets: 930 (unversioned) - #PCM: after breakfast (from lat. post cibus matutinus) - #PCV: after dinner (from lat. post cibus vespertinus) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0529|2.8.2 + references: 0, strongest binding: - #D: day - #H: hour - #L: month @@ -37776,6 +38447,7 @@ Value Sets: 930 (unversioned) - #S: second - #Y: year - ValueSet: http://hl7.org/fhir/ValueSet/v2-0530|2.8.2 + references: 0, strongest binding: - #AE: American Express - #DEA: Drug Enforcement Agency - #DOD: Department of Defense @@ -37783,6 +38455,7 @@ Value Sets: 930 (unversioned) - #VA: Veterans Affairs - #VI: Visa - ValueSet: http://hl7.org/fhir/ValueSet/v2-0532|2.8.2 + references: 0, strongest binding: - #ASKU: asked but unknown - #N: No - #NA: not applicable @@ -37793,32 +38466,38 @@ Value Sets: 930 (unversioned) - #UNK: unknown - #Y: Yes - ValueSet: http://hl7.org/fhir/ValueSet/v2-0534|2.8.2 + references: 0, strongest binding: - #L: Last Rites only - #N: No - #O: Other - #U: Unknown - #Y: Yes - ValueSet: http://hl7.org/fhir/ValueSet/v2-0535|2.8.2 + references: 0, strongest binding: - #C: Signed CMS-1500 claim form on file, e.g. authorization for release of any medical or other information necessary to process this claim and assignment of benefits. - #M: Signed authorization for assignment of benefits on file. - #P: Signature generated by provider because the patient was not physically present for services. - #S: Signed authorization for release of any medical or other information necessary to process this claim on file. - ValueSet: http://hl7.org/fhir/ValueSet/v2-0536|2.8.2 + references: 0, strongest binding: - #E: Expired - #I: Inactive - #P: Provisional - #R: Revoked - #V: Active/Valid - ValueSet: http://hl7.org/fhir/ValueSet/v2-0538|2.8.2 + references: 0, strongest binding: - #CON: Contractor - #CST: Consultant - #EMP: Employee - #VOL: Volunteer - ValueSet: http://hl7.org/fhir/ValueSet/v2-0540|2.8.2 + references: 0, strongest binding: - #L: Leave of Absence - #R: Retired - #T: Termination - ValueSet: http://hl7.org/fhir/ValueSet/v2-0544|2.8.2 + references: 0, strongest binding: - #...: No suggested values - #CC: Container Cracked - #CL: Container Leaking @@ -37842,10 +38521,12 @@ Value Sets: 930 (unversioned) - #XUFRZ: Not Ultra frozen - #XUPR: Not Upright - ValueSet: http://hl7.org/fhir/ValueSet/v2-0547|2.8.2 + references: 0, strongest binding: - #C: County/Parish - #N: Country - #S: State/Province - ValueSet: http://hl7.org/fhir/ValueSet/v2-0548|2.8.2 + references: 0, strongest binding: - #1: Self - #2: Parent - #3: Next of Kin @@ -37854,6 +38535,7 @@ Value Sets: 930 (unversioned) - #6: Emergent Practitioner (practitioner judging case as emergency requiring care without a consent) - #7: Non-Emergent Practitioner (i.e. medical ethics committee) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0550|2.8.2 + references: 0, strongest binding: - # : External Jugular - # : External Jugular - #ACET: Acetabulum @@ -38300,8 +38982,10 @@ Value Sets: 930 (unversioned) - #WBC: Leukocytes - #WRIST: Wrist - ValueSet: http://hl7.org/fhir/ValueSet/v2-0552|2.8.2 + references: 0, strongest binding: - #...: No suggested values defined - ValueSet: http://hl7.org/fhir/ValueSet/v2-0553|2.8.2 + references: 0, strongest binding: - #AA: Authorization request for inpatient admission - #AI: Combined Authorization and Adjudication request - #CA: Cancel Authorization request @@ -38320,10 +39004,12 @@ Value Sets: 930 (unversioned) - #RU: Referral authorization - #SA: Special Authorization - ValueSet: http://hl7.org/fhir/ValueSet/v2-0554|2.8.2 + references: 0, strongest binding: - #LATE: Late Invoice - #NORM: Normal submission - #SUB: Subscriber coverage problem - ValueSet: http://hl7.org/fhir/ValueSet/v2-0555|2.8.2 + references: 0, strongest binding: - #BK: Block - #FN: Final - #FS: Fee for Service @@ -38335,23 +39021,28 @@ Value Sets: 930 (unversioned) - #SS: By Session - #SU: Supplemental - ValueSet: http://hl7.org/fhir/ValueSet/v2-0556|2.8.2 + references: 0, strongest binding: - #AMB: AMBULATORY CARE - #DENT: DENTAL - ValueSet: http://hl7.org/fhir/ValueSet/v2-0557|2.8.2 + references: 0, strongest binding: - #EMPL: Employer - #ORG: Payee Organization - #PERS: Person - #PPER: Pay Person - ValueSet: http://hl7.org/fhir/ValueSet/v2-0558|2.8.2 + references: 0, strongest binding: - #FM: Family Member - #GT: Guarantor - #PT: Patient - #SB: Subscriber - ValueSet: http://hl7.org/fhir/ValueSet/v2-0559|2.8.2 + references: 0, strongest binding: - #D: Denied - #P: Processed - #R: Rejected - ValueSet: http://hl7.org/fhir/ValueSet/v2-0561|2.8.2 + references: 0, strongest binding: - #CLCTR: Claim Center - #DGAPP: Diagnostic Approval Number - #DTCTR: Data Center Number @@ -38360,6 +39051,7 @@ Value Sets: 930 (unversioned) - #OOP: Out of Province Indicator - #SEQ: Sequence Number - ValueSet: http://hl7.org/fhir/ValueSet/v2-0562|2.8.2 + references: 0, strongest binding: - #DFADJ: Deferred Adjudication Processing - #EFORM: Electronic form to follow - #FAX: Fax to follow @@ -38367,17 +39059,20 @@ Value Sets: 930 (unversioned) - #PYRDELAY: Delayed by a Previous Payer - #RTADJ: Real Time Adjudication Processing - ValueSet: http://hl7.org/fhir/ValueSet/v2-0564|2.8.2 + references: 0, strongest binding: - #EA: Edit/Adjudication Response - #IN: Information - #PA: Provider Adjustment - #PR: Processing Result - ValueSet: http://hl7.org/fhir/ValueSet/v2-0565|2.8.2 + references: 0, strongest binding: - #DISP: Dispensing Fee - #GST: Goods and Services Tax - #HST: Harmonized Sales Tax - #MKUP: Mark up Fee - #PST: Provincial Sales Tax - ValueSet: http://hl7.org/fhir/ValueSet/v2-0566|2.8.2 + references: 0, strongest binding: - #GRN: Granulocytes - #LYM: Lymphocytes - #PLS: Plasma @@ -38386,10 +39081,12 @@ Value Sets: 930 (unversioned) - #RBC: Red Blood Cells - #WBL: Whole Blood - ValueSet: http://hl7.org/fhir/ValueSet/v2-0569|2.8.2 + references: 0, strongest binding: - #EOB: Print on EOB - #PAT: Inform Patient - #PRO: Inform Provider - ValueSet: http://hl7.org/fhir/ValueSet/v2-0570|2.8.2 + references: 0, strongest binding: - #CASH: Cash - #CCCA: Credit Card - #CCHK: Cashier's Check @@ -38401,6 +39098,7 @@ Value Sets: 930 (unversioned) - #TRAC: Traveler's Check - #VISN: VISA Special Electronic Funds Transfer Network - ValueSet: http://hl7.org/fhir/ValueSet/v2-0571|2.8.2 + references: 0, strongest binding: - #ACK: Acknowledge - #ADJ: Adjudicated with Adjustments - #ADJSUB: Adjudicated as Submitted @@ -38410,38 +39108,48 @@ Value Sets: 930 (unversioned) - #PRED: Pre-Determination - #REJECT: Reject - ValueSet: http://hl7.org/fhir/ValueSet/v2-0572|2.8.2 + references: 0, strongest binding: - #RVAT: Registered in VAT register - #UVAT: Unregistered in VAT register - ValueSet: http://hl7.org/fhir/ValueSet/v2-0615|2.8.2 + references: 0, strongest binding: - #KERB: Kerberos Service Ticket - #SAML: Authenticated User Identity Assertion - ValueSet: http://hl7.org/fhir/ValueSet/v2-0616|2.8.2 + references: 0, strongest binding: - #C: Corrected - #E: Added in error - #M: Moved - #R: On request - ValueSet: http://hl7.org/fhir/ValueSet/v2-0617|2.8.2 + references: 0, strongest binding: - #C: Classification - #M: Mailing - #V: Visit - ValueSet: http://hl7.org/fhir/ValueSet/v2-0618|2.8.2 + references: 0, strongest binding: - #LI: Listed - #UL: Unlisted (Should not appear in directories) - #UP: Unpublished - ValueSet: http://hl7.org/fhir/ValueSet/v2-0625|2.8.2 + references: 0, strongest binding: - #1: Active - #2: Pending Inactive - #3: Inactive - ValueSet: http://hl7.org/fhir/ValueSet/v2-0634|2.8.2 + references: 0, strongest binding: - #CRT: Critical - ValueSet: http://hl7.org/fhir/ValueSet/v2-0642|2.8.2 + references: 0, strongest binding: - #D: DOP/DOQ - #M: MIN/MAX - #O: Override - ValueSet: http://hl7.org/fhir/ValueSet/v2-0651|2.8.2 + references: 0, strongest binding: - #CST: Cost - #TME: Time - ValueSet: http://hl7.org/fhir/ValueSet/v2-0653|2.8.2 + references: 0, strongest binding: - #1: mm/dd/yy - #2: yy.mm.dd - #3: dd/mm/yy @@ -38449,27 +39157,33 @@ Value Sets: 930 (unversioned) - #5: yy/mm/dd - #6: Yymmdd - ValueSet: http://hl7.org/fhir/ValueSet/v2-0657|2.8.2 + references: 0, strongest binding: - #1: EO Gas Sterilizer - #2: Steam Sterilizer - #3: Peracetic Acid - ValueSet: http://hl7.org/fhir/ValueSet/v2-0659|2.8.2 + references: 0, strongest binding: - #1: OR Mode Without Operator - #2: OR Mode with Operator - #3: CPD Mode Without Operator - #4: CPD Mode With Operator - #5: Offline Mode - ValueSet: http://hl7.org/fhir/ValueSet/v2-0667|2.8.2 + references: 0, strongest binding: - #0: Real Time Values - #1: Historic Values - ValueSet: http://hl7.org/fhir/ValueSet/v2-0669|2.8.2 + references: 0, strongest binding: - #LCC: Load is Complete - #LCN: Load Canceled - #LCP: Load In Process - #LLD: Building a Load - ValueSet: http://hl7.org/fhir/ValueSet/v2-0682|2.8.2 + references: 0, strongest binding: - #0: Ready - #1: Not Ready - ValueSet: http://hl7.org/fhir/ValueSet/v2-0702|2.8.2 + references: 0, strongest binding: - #2RS: Second Rinse - #ANR: Anesthesia/Respiratory - #BDP: Bedpans @@ -38503,6 +39217,7 @@ Value Sets: 930 (unversioned) - #UTL: Utensil Wash - #WFP: Wrap/Steam Flush Pressure Pulse (Wrap/SFPP) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0717|2.8.2 + references: 0, strongest binding: - #ALL: All - #DEM: All demographic data - #DRG: Drug @@ -38517,6 +39232,7 @@ Value Sets: 930 (unversioned) - #SMD: Sensitive medical data - #STD: Sexually transmitted diseases - ValueSet: http://hl7.org/fhir/ValueSet/v2-0719|2.8.2 + references: 0, strongest binding: - #DIA: Diagnosis-related - #EMP: Employee of this organization - #ORG: Organizational policy or requirement @@ -38525,6 +39241,7 @@ Value Sets: 930 (unversioned) - #REG: Regulatory requirement - #VIP: Very important person or celebrity - ValueSet: http://hl7.org/fhir/ValueSet/v2-0725|2.8.2 + references: 0, strongest binding: - #APT: Appointment - #ARQ: Appointment Request - #E.g. Use in Care Plans,: @@ -38537,18 +39254,21 @@ Value Sets: 930 (unversioned) - #RQO: Request-Order - #Similar uses of above moods ma: - ValueSet: http://hl7.org/fhir/ValueSet/v2-0728|2.8.2 + references: 0, strongest binding: - #0: Nothing obvious - #1: Low - #2: Moderate - #3: High - #4: Very high - ValueSet: http://hl7.org/fhir/ValueSet/v2-0731|2.8.2 + references: 0, strongest binding: - #0: Valid code - #1: Invalid code - #2: Two primary diagnosis codes - #3: Invalid for this gender - #4: Invalid for this age - ValueSet: http://hl7.org/fhir/ValueSet/v2-0734|2.8.2 + references: 0, strongest binding: - #0: Normal grouping - #1: Invalid or missing primary diagnosis - #2: Diagnosis is not allowed to be primary @@ -38560,10 +39280,12 @@ Value Sets: 930 (unversioned) - #8: Invalid length of stay - #9: Invalid field "same day" - ValueSet: http://hl7.org/fhir/ValueSet/v2-0739|2.8.2 + references: 0, strongest binding: - #1: Normal length of stay - #2: Short length of stay - #3: Long length of stay - ValueSet: http://hl7.org/fhir/ValueSet/v2-0742|2.8.2 + references: 0, strongest binding: - #00: Effective weight calculated - #01: Hospital specific contract - #03: Eeffective weight for transfer/referral calculated @@ -38572,58 +39294,71 @@ Value Sets: 930 (unversioned) - #10: No information/entry in cost data for this DRG - #11: No relative weight found for department (type) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0749|2.8.2 + references: 0, strongest binding: - #0: Valid code; not used for grouping - #1: Valid code; used for grouping - #2: Invalid code; not used for grouping - #3: Invalid code; code is relevant for grouping - ValueSet: http://hl7.org/fhir/ValueSet/v2-0755|2.8.2 + references: 0, strongest binding: - #0: No weight reported at admission used for grouping - #1: Weight reported at admission used for grouping - #2: Default weight (>2499g) used for grouping - ValueSet: http://hl7.org/fhir/ValueSet/v2-0757|2.8.2 + references: 0, strongest binding: - #0: Respiration minutes not used for grouping - #1: Listed respiration minutes used for grouping - #2: OPS code value used for grouping - ValueSet: http://hl7.org/fhir/ValueSet/v2-0759|2.8.2 + references: 0, strongest binding: - #0: Admission status is valid; used for grouping - #1: Admission status is valid; not used for grouping - #2: Admission status is invalid; not used for grouping - #3: Admission status is invalid; default value used for grouping - ValueSet: http://hl7.org/fhir/ValueSet/v2-0761|2.8.2 + references: 0, strongest binding: - #0: Valid code - #1: Invalid code - #2: Not used - #3: Invalid for this gender - #4: Invalid for this age - ValueSet: http://hl7.org/fhir/ValueSet/v2-0763|2.8.2 + references: 0, strongest binding: - #0: Neither operation relevant nor non-operation relevant procedure - #1: Operation relevant procedure - #2: Non-operation relevant procedure - ValueSet: http://hl7.org/fhir/ValueSet/v2-0776|2.8.2 + references: 0, strongest binding: - #A: Active - #I: Inactive - #P: Pending Inactive - ValueSet: http://hl7.org/fhir/ValueSet/v2-0778|2.8.2 + references: 0, strongest binding: - #EQP: Equipment - #IMP: Implant - #MED: Medication - #SUP: Supply - #TDC: Tubes, Drains, and Catheters - ValueSet: http://hl7.org/fhir/ValueSet/v2-0790|2.8.2 + references: 0, strongest binding: - #AMA: American Medical Association - #FDA: Food and Drug Administration - ValueSet: http://hl7.org/fhir/ValueSet/v2-0793|2.8.2 + references: 0, strongest binding: - #SMDA: Safe Medical Devices Act - ValueSet: http://hl7.org/fhir/ValueSet/v2-0806|2.8.2 + references: 0, strongest binding: - #EOG: Ethylene Oxide Gas - #PCA: Peracetic acid - #STM: Steam - ValueSet: http://hl7.org/fhir/ValueSet/v2-0818|2.8.2 + references: 0, strongest binding: - #BX: Box - #CS: Case - #EA: Each - #SET: Set - ValueSet: http://hl7.org/fhir/ValueSet/v2-0834|2.8.2 + references: 0, strongest binding: - #application: Application data - #audio: Audio data - #image: Image data @@ -38632,12 +39367,14 @@ Value Sets: 930 (unversioned) - #text: Text data - #video: Video data - ValueSet: http://hl7.org/fhir/ValueSet/v2-0868|2.8.2 + references: 0, strongest binding: - #C: Corrected - #E: Added in error - #M: Moved - #N: No longer in service - #R: On request - ValueSet: http://hl7.org/fhir/ValueSet/v2-0871|2.8.2 + references: 0, strongest binding: - #COR: Corrosive - #EXP: Explosive - #FLA: Flammable @@ -38646,26 +39383,32 @@ Value Sets: 930 (unversioned) - #TOX: Toxic - #UNK: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0881|2.8.2 + references: 0, strongest binding: - #B: Both - #P: Professional Part - #T: Technical Part - ValueSet: http://hl7.org/fhir/ValueSet/v2-0882|2.8.2 + references: 0, strongest binding: - #E: Employed - #SE: Self-employed - ValueSet: http://hl7.org/fhir/ValueSet/v2-0894|2.8.2 + references: 0, strongest binding: - #L: Left - #R: Right - ValueSet: http://hl7.org/fhir/ValueSet/v2-0895|2.8.2 + references: 0, strongest binding: - #E: Exempt - #N: No - #U: Unknown - #W: Not applicable - #Y: Yes - ValueSet: http://hl7.org/fhir/ValueSet/v2-0904|2.8.2 + references: 0, strongest binding: - #BCV: Bank Card Validation Number - #CCS: Credit Card Security code - #VID: Version ID - ValueSet: http://hl7.org/fhir/ValueSet/v2-0905|2.8.2 + references: 0, strongest binding: - #INV: Inventoried - #ONH: On Hold - #PRC: Processing @@ -38673,6 +39416,7 @@ Value Sets: 930 (unversioned) - #TRN: In Transit - #TTL: Triaged to Lab - ValueSet: http://hl7.org/fhir/ValueSet/v2-0906|2.8.2 + references: 0, strongest binding: - #A: ASAP - As soon as possible, next highest priority after stat - #CR: Callback results - filler should contact the placer as soon as results are available, even for preliminary results - #CS: Callback for scheduling - Filler should contact the placer (or target) to schedule the service. @@ -38689,6 +39433,7 @@ Value Sets: 930 (unversioned) - #UD: Use as directed - Drug is to be used as directed by the prescriber. - #UR: Urgent - Calls for prompt action - ValueSet: http://hl7.org/fhir/ValueSet/v2-0907|2.8.2 + references: 0, strongest binding: - #B: Business - Since the service class can represent knowledge structures that may be considered a trade or business secret, there is sometimes (though rarely) the need to flag those items as of business level confidentiality. However, no patient related inf - #C: Celebrity - Celebrities are people of public interest (VIP) including employees, whose information require special protection. - #D: Clinician - Only clinicians may see this item, billing and administration persons can not access this item without special permission. @@ -38704,6 +39449,7 @@ Value Sets: 930 (unversioned) - #T: Taboo - Information not to be disclosed or discussed with patient except through physician assigned to patient in this case. This is usually a temporary constraint only; example use is a new fatal diagnosis or finding, such as malignancy or HIV. - #V: Very restricted - Very restricted access as declared by the Privacy Officer of the record holder. - ValueSet: http://hl7.org/fhir/ValueSet/v2-0909|2.8.2 + references: 0, strongest binding: - #SID: Share In1 Day -

Share result regardless of reference/therapeutic range after 1 or more business day as agreed to by the systems in play. - #SIDC: Share in 1 Day Conditionally -

Share result in reference ranges/therapeutic with patient after 1 or more business day as agreed to by the systems in play.

Withhold result out of reference/therapeutic range until physician release - #SIMM: Share Immediately -

Share result with patient immediately @@ -38711,6 +39457,7 @@ Value Sets: 930 (unversioned) - #SWNL: Share Within Normal Limits -

Share result in reference/therapeutic range with patient immediately

Share result out of reference/therapeutic ranges with patient after 1 or more business day as agreed to by the systems in play. - #SWTH: Share Withhold -

Withhold result regardless of reference/therapeutic ranges - ValueSet: http://hl7.org/fhir/ValueSet/v2-0912|2.8.2 + references: 0, strongest binding: - #AD: Admitting Provider - #AI: Assistant/Alternate Interpreter - #AP: Administering Provider @@ -38746,43 +39493,53 @@ Value Sets: 930 (unversioned) - #WAY: Waypoint - #WAYR: Waypoint Recipient - ValueSet: http://hl7.org/fhir/ValueSet/v2-0914|2.8.2 + references: 0, strongest binding: - #AP: Analysis Process - #IM: Information Management - #L: Laboratory - #NA: Not Applicable - #PD: Placer Data - ValueSet: http://hl7.org/fhir/ValueSet/v2-0916|2.8.2 + references: 0, strongest binding: - #F: Patient was fasting prior to the procedure. - #FNA: Fasting not asked of the patient at time of procedure. - #NF: The patient indicated they did not fast prior to the procedure. - #NG: Not Given - Patient was not asked at the time of the procedure. - ValueSet: http://hl7.org/fhir/ValueSet/v2-0917|2.8.2 + references: 0, strongest binding: - #C: Supplemental - #L: Loading - ValueSet: http://hl7.org/fhir/ValueSet/v2-0918|2.8.2 + references: 0, strongest binding: - #C: Continuous - #P: PCA Only - #PC: PCA + Continuous - ValueSet: http://hl7.org/fhir/ValueSet/v2-0919|2.8.2 + references: 0, strongest binding: - #D: In some cases, this test should be only exclusively with like tests (examples are cyto or pathology) - #N: This test can be included with any number of other tests - #Y: This test should be exclusive - ValueSet: http://hl7.org/fhir/ValueSet/v2-0920|2.8.2 + references: 0, strongest binding: - #A: Alternate - #P: Preferred - ValueSet: http://hl7.org/fhir/ValueSet/v2-0921|2.8.2 + references: 0, strongest binding: - #ADM: Admitting - #PROC: Procedure - #SERV: Service - ValueSet: http://hl7.org/fhir/ValueSet/v2-0922|2.8.2 + references: 0, strongest binding: - #IR: Initial Request - #RA: Request for Appeal - #RE: Request for Extension - ValueSet: http://hl7.org/fhir/ValueSet/v2-0923|2.8.2 + references: 0, strongest binding: - #ABR: Aborted Run: Process interrupted after the Phlebotomist inserts the needle in the Donor's arm - #NIN: Process was not interrupted - #WOT: Walk Out: Process interrupted before the Phlebotomist inserts the needle in the Donor's arm - ValueSet: http://hl7.org/fhir/ValueSet/v2-0924|2.8.2 + references: 0, strongest binding: - #A: Annual - #D: Per Day - #M: Per Month @@ -38790,6 +39547,7 @@ Value Sets: 930 (unversioned) - #PL: Patients Lifetime - #WK: Per Week - ValueSet: http://hl7.org/fhir/ValueSet/v2-0925|2.8.2 + references: 0, strongest binding: - #ACN: Air Contamination - #CLT: Clotted - #COL: Collapse @@ -38804,14 +39562,17 @@ Value Sets: 930 (unversioned) - #PFL: Poor flow - #VSM: Vein Spasm - ValueSet: http://hl7.org/fhir/ValueSet/v2-0926|2.8.2 + references: 0, strongest binding: - #NDR: Not Drawn - #SUC: Successful - #UL5: Unsuccessful Less than 50 ml drawn - ValueSet: http://hl7.org/fhir/ValueSet/v2-0927|2.8.2 + references: 0, strongest binding: - #B: Both Arms - #L: Left Arm - #R: Right Arm - ValueSet: http://hl7.org/fhir/ValueSet/v2-0933|2.8.2 + references: 0, strongest binding: - #2RC: Double Red Cells - #GRN: Granulocytes - #HEM: Hemachromatosis @@ -38826,6 +39587,7 @@ Value Sets: 930 (unversioned) - #THW: Therapeutic Whole Blood - #WBL: Whole Blood - ValueSet: http://hl7.org/fhir/ValueSet/v2-0935|2.8.2 + references: 0, strongest binding: - #ASC: Apheresis Software Crash - #BSC: Manufacturing Software Crash - #CFT: Couldn't follow through with donation (scared) @@ -38836,6 +39598,7 @@ Value Sets: 930 (unversioned) - #NRG: No reason given, donor decided to stop without giving a reason - #PCD: Phone Call-Donor - ValueSet: http://hl7.org/fhir/ValueSet/v2-2.1-0006|0006 + references: 0, strongest binding: - #A: Atheist - #B: Baptist - #C: Catholic @@ -38846,6 +39609,7 @@ Value Sets: 930 (unversioned) - #N: Hindu - #P: Protestant - ValueSet: http://hl7.org/fhir/ValueSet/v2-2.3.1-0360|0360 + references: 0, strongest binding: - #AA: Associate of Arts - #AAS: Associate of Applied Science - #ABA: Associate of Business Administration @@ -38905,6 +39669,7 @@ Value Sets: 930 (unversioned) - #SEC: Secretarial Certificate - #TS: Trade School Graduate - ValueSet: http://hl7.org/fhir/ValueSet/v2-2.4-0006|0006 + references: 0, strongest binding: - #ABC: Christian: American Baptist Church - #AGN: Agnostic - #AME: Christian: African Methodist Episcopal Zion @@ -38992,6 +39757,7 @@ Value Sets: 930 (unversioned) - #WES: Christian: Wesleyan - #WMC: Christian: Wesleyan Methodist - ValueSet: http://hl7.org/fhir/ValueSet/v2-2.4-0391|0391 + references: 0, strongest binding: - #etc: - #OBRG: OBR group - #ORCG: ORC group @@ -39001,6 +39767,7 @@ Value Sets: 930 (unversioned) - #RXEG: RXE group - #RXOG: RXO group - ValueSet: http://hl7.org/fhir/ValueSet/v2-2.6-0391|0391 + references: 0, strongest binding: - #ADMINISTRATION: - #ALLERGY: - #APP_STATS: @@ -39142,6 +39909,7 @@ Value Sets: 930 (unversioned) - #TREATMENT: - #VISIT: - ValueSet: http://hl7.org/fhir/ValueSet/v2-2.7-0360|0360 + references: 0, strongest binding: - #AA: Associate of Arts - #AAS: Associate of Applied Science - #ABA: Associate of Business Administration @@ -39204,15 +39972,18 @@ Value Sets: 930 (unversioned) - #SEC: Secretarial Certificate - #TS: Trade School Graduate - ValueSet: http://hl7.org/fhir/ValueSet/v2-4000|2.8.2 + references: 0, strongest binding: - #A: Alphabetic (i.e., Default or some single-byte) - #I: Ideographic (i.e., Kanji) - #P: Phonetic (i.e., ASCII, Katakana, Hiragana, etc.) - ValueSet: http://hl7.org/fhir/ValueSet/v3-AcknowledgementCondition|2015-07-31 + references: 0, strongest binding: - #AL: Always - #ER: Error/reject only - #NE: Never - #SU: Successful only - ValueSet: http://hl7.org/fhir/ValueSet/v3-AcknowledgementDetailCode|2015-07-31 + references: 0, strongest binding: - #_AcknowledgementDetailNotSupportedCode: AcknowledgementDetailNotSupportedCode - #INTERR: Internal system error - #NOSTORE: No storage space for message. @@ -39221,6 +39992,7 @@ Value Sets: 930 (unversioned) - #RTWDEST: Message routing warning, destination unreachable. - #SYN: Syntax error - ValueSet: http://hl7.org/fhir/ValueSet/v3-AcknowledgementDetailType|2015-07-31 + references: 0, strongest binding: - #E: Error - #ERR: - #I: Information @@ -39228,6 +40000,7 @@ Value Sets: 930 (unversioned) - #W: Warning - #WARN: - ValueSet: http://hl7.org/fhir/ValueSet/v3-AcknowledgementType|2015-07-31 + references: 0, strongest binding: - #AA: Application Acknowledgement Accept - #AE: Application Acknowledgement Error - #AR: Application Acknowledgement Reject @@ -39235,6 +40008,7 @@ Value Sets: 930 (unversioned) - #CE: Accept Acknowledgement Commit Error - #CR: Accept Acknowledgement Commit Reject - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActClass|2015-07-31 + references: 0, strongest binding: - #ACT: act - #DOCCNTNT: - #DOCLIST: @@ -39256,8 +40030,10 @@ Value Sets: 930 (unversioned) - #thead: - #unordered: - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActClassInvestigation|2014-03-26 + references: 0, strongest binding: - #INVSTG: investigation - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActCode|2015-07-31 + references: 2, strongest binding: Example - #_ActAccountCode: ActAccountCode - #_ActAdjudicationCode: ActAdjudicationCode - #_ActAdjudicationResultActionCode: ActAdjudicationResultActionCode @@ -39313,6 +40089,7 @@ Value Sets: 930 (unversioned) - #SUBSIDFFS: subsidized fee for service program - #WRKCOMP: (workers compensation program - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActConsentType|2014-03-26 + references: 0, strongest binding: - #_ActConsentType: ActConsentType - #ICOL: information collection - #IDSCL: information disclosure @@ -39324,6 +40101,7 @@ Value Sets: 930 (unversioned) - #RSDID: de-identified information access - #RSREID: re-identifiable information access - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActCoverageTypeCode|2014-03-26 + references: 1, strongest binding: Example - #_ActCoverageTypeCode: ActCoverageTypeCode - #_ActHealthInsuranceTypeCode: ActHealthInsuranceTypeCode - #_ActInsurancePolicyCode: ActInsurancePolicyCode @@ -39382,18 +40160,22 @@ Value Sets: 930 (unversioned) - #VISPOL: vision care policy - #WCBPOL: worker's compensation - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActExposureLevelCode|2015-07-31 + references: 0, strongest binding: - #_ActExposureLevelCode: ActExposureLevelCode - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActIncidentCode|2014-03-26 + references: 1, strongest binding: Required - #MVA: Motor vehicle accident - #SCHOOL: School Accident - #SPT: Sporting Accident - #WPA: Workplace accident - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActInvoiceElementModifier|2015-07-31 + references: 0, strongest binding: - #EFORM: Electronic Form To Follow - #FAX: Fax To Follow - #LINV: Last Invoice - #PAPER: Paper Documentation To Follow - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActInvoiceGroupCode|2014-03-26 + references: 3, strongest binding: Required - #_ActInvoiceInterGroupCode: ActInvoiceInterGroupCode - #_ActInvoiceRootGroupCode: ActInvoiceRootGroupCode - #CPINV: clinical product invoice @@ -39414,9 +40196,11 @@ Value Sets: 930 (unversioned) - #SBFINV: sessional or block fee invoice - #VRXINV: vision dispense invoice - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActMood|2015-07-31 + references: 0, strongest binding: - #_ActMoodCompletionTrack: ActMoodCompletionTrack - #_ActMoodPredicate: ActMoodPredicate - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActPharmacySupplyType|2014-03-26 + references: 1, strongest binding: Example - #DF: Daily Fill - #EM: Emergency Supply - #FF: First Fill @@ -39440,6 +40224,7 @@ Value Sets: 930 (unversioned) - #UD: Unit Dose - #UDE: unit dose equivalent - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActPriority|2015-07-31 + references: 0, strongest binding: - #A: ASAP - #CR: callback results - #CS: callback for scheduling @@ -39454,6 +40239,7 @@ Value Sets: 930 (unversioned) - #UD: use as directed - #UR: urgent - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActReason|2015-07-31 + references: 0, strongest binding: - #_ActAccommodationReason: ActAccommodationReason - #_ActBillableServiceReason: ActBillableServiceReason - #_ActCoverageReason: ActCoverageReason @@ -39495,28 +40281,33 @@ Value Sets: 930 (unversioned) - #SPO: Spouse only - #TRAN: - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActRelationshipCheckpoint|2015-07-31 + references: 0, strongest binding: - #B: beginning - #E: end - #S: entry - #T: through - #X: exit - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActRelationshipJoin|2015-07-31 + references: 0, strongest binding: - #D: detached - #K: kill - #W: wait - #X: exclusive wait - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActRelationshipSplit|2015-07-31 + references: 0, strongest binding: - #E1: exclusive try once - #EW: exclusive wait - #I1: inclusive try once - #IW: inclusive wait - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActRelationshipSubset|2015-07-31 + references: 0, strongest binding: - #_ParticipationSubset: ParticipationSubset - #ActRelationshipExpectedSubset: ActRelationshipExpectedSubset - #ActRelationshipPastSubset: ActRelationshipPastSubset - #MAX: maximum - #MIN: minimum - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActRelationshipType|2015-07-31 + references: 0, strongest binding: - #ART: act relationship type - #CURE: curative indication - #CURE.ADJ: adjunct curative indication @@ -39524,12 +40315,15 @@ Value Sets: 930 (unversioned) - #RACT: - #SUGG: - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActSite|2015-07-31 + references: 0, strongest binding: - #_HumanActSite: HumanActSite - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActStatus|2015-07-31 + references: 0, strongest binding: - #normal: normal - #nullified: nullified - #obsolete: obsolete - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActSubstanceAdminSubstitutionCode|2014-03-26 + references: 2, strongest binding: Example - #BC: brand composition - #E: equivalent - #EC: equivalent composition @@ -39540,11 +40334,14 @@ Value Sets: 930 (unversioned) - #TE: therapeutic alternative - #TG: therapeutic generic - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActUncertainty|2015-07-31 + references: 0, strongest binding: - #N: stated with no assertion of uncertainty - #U: stated with uncertainty - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActUSPrivacyLaw|2015-07-31 + references: 0, strongest binding: - #_ActUSPrivacyLaw: ActUSPrivacyLaw - ValueSet: http://hl7.org/fhir/ValueSet/v3-AddressPartType|2015-07-31 + references: 0, strongest binding: - #ADL: additional locator - #AL: address line - #BNN: building number numeric @@ -39574,14 +40371,17 @@ Value Sets: 930 (unversioned) - #UNIT: unit designator - #ZIP: postal code - ValueSet: http://hl7.org/fhir/ValueSet/v3-AddressUse|2015-07-31 + references: 0, strongest binding: - #_GeneralAddressUse: _GeneralAddressUse - #_PostalAddressUse: _PostalAddressUse - #_TelecommunicationAddressUse: _TelecommunicationAddressUse - ValueSet: http://hl7.org/fhir/ValueSet/v3-AdministrativeGender|2015-07-31 + references: 0, strongest binding: - #F: Female - #M: Male - #UN: Undifferentiated - ValueSet: http://hl7.org/fhir/ValueSet/v3-AmericanIndianAlaskaNativeLanguages|2015-07-31 + references: 0, strongest binding: - #_Algic: Algic - #_Caddoan: Caddoan - #_Chimakuan: Chimakuan @@ -39605,14 +40405,18 @@ Value Sets: 930 (unversioned) - #x-YUC: Yuchi - #x-ZUN: Zuni - ValueSet: http://hl7.org/fhir/ValueSet/v3-Calendar|2015-07-31 + references: 0, strongest binding: - #GREG: Gregorian - ValueSet: http://hl7.org/fhir/ValueSet/v3-CalendarCycle|2015-07-31 + references: 0, strongest binding: - #_CalendarCycleOneLetter: CalendarCycleOneLetter - #_CalendarCycleTwoLetter: CalendarCycleTwoLetter - #WM: week of the month - ValueSet: http://hl7.org/fhir/ValueSet/v3-CalendarType|2015-07-31 + references: 0, strongest binding: - #GREG: Gregorian - ValueSet: http://hl7.org/fhir/ValueSet/v3-Charset|2015-07-31 + references: 0, strongest binding: - #EBCDIC: EBCDIC - #ISO-10646-UCS-2: ISO-10646-UCS-2 - #ISO-10646-UCS-4: ISO-10646-UCS-4 @@ -39624,6 +40428,7 @@ Value Sets: 930 (unversioned) - #UTF-7: UTF-7 - #UTF-8: UTF-8 - ValueSet: http://hl7.org/fhir/ValueSet/v3-CodingRationale|2015-07-31 + references: 0, strongest binding: - #HL7: HL7 Specified or Mandated - #O: originally produced code - #OR: original and required @@ -39633,15 +40438,18 @@ Value Sets: 930 (unversioned) - #SH: Both HL7 mandated and the original code - #SRC: Source (or original) code - ValueSet: http://hl7.org/fhir/ValueSet/v3-CommunicationFunctionType|2015-07-31 + references: 0, strongest binding: - #RCV: receiver - #RSP: respond to - #SND: sender - ValueSet: http://hl7.org/fhir/ValueSet/v3-Compartment|2014-03-26 + references: 0, strongest binding: - #COMPT: compartment - #HRCOMPT: human resource compartment - #RESCOMPT: research project compartment - #RMGTCOMPT: records management compartment - ValueSet: http://hl7.org/fhir/ValueSet/v3-CompressionAlgorithm|2015-07-31 + references: 0, strongest binding: - #BZ: bzip - #DF: deflate - #GZ: gzip @@ -39649,35 +40457,43 @@ Value Sets: 930 (unversioned) - #Z7: Z7 - #ZL: zlib - ValueSet: http://hl7.org/fhir/ValueSet/v3-Confidentiality|2015-07-31 + references: 1, strongest binding: Required - #_Confidentiality: Confidentiality - #_ConfidentialityByAccessKind: ConfidentialityByAccessKind - #_ConfidentialityByInfoType: ConfidentialityByInfoType - #_ConfidentialityModifiers: ConfidentialityModifiers - ValueSet: http://hl7.org/fhir/ValueSet/v3-ContainerCap|2015-07-31 + references: 0, strongest binding: - #_MedicationCap: MedicationCap - #FILM: Film - #FOIL: Foil - #PUSH: Push Cap - #SCR: Screw Cap - ValueSet: http://hl7.org/fhir/ValueSet/v3-ContainerSeparator|2015-07-31 + references: 0, strongest binding: - #GEL: Gel - #NONE: None - ValueSet: http://hl7.org/fhir/ValueSet/v3-ContentProcessingMode|2015-07-31 + references: 0, strongest binding: - #SEQL: Sequential - #UNOR: Unordered - ValueSet: http://hl7.org/fhir/ValueSet/v3-ContextControl|2015-07-31 + references: 0, strongest binding: - #_ContextControlAdditive: ContextControlAdditive - #_ContextControlNonPropagating: ContextControlNonPropagating - #_ContextControlOverriding: ContextControlOverriding - #_ContextControlPropagating: ContextControlPropagating - ValueSet: http://hl7.org/fhir/ValueSet/v3-DataOperation|2015-07-31 + references: 0, strongest binding: - #OPERATE: operate - ValueSet: http://hl7.org/fhir/ValueSet/v3-DeviceAlertLevel|2015-07-31 + references: 0, strongest binding: - #C: Critical - #N: Normal - #S: Serious - #W: Warning - ValueSet: http://hl7.org/fhir/ValueSet/v3-DocumentCompletion|2015-07-31 + references: 0, strongest binding: - #AU: authenticated - #DI: dictated - #DO: documented @@ -39688,10 +40504,12 @@ Value Sets: 930 (unversioned) - #PA: pre-authenticated - #UC: unsigned completed document - ValueSet: http://hl7.org/fhir/ValueSet/v3-DocumentStorage|2015-07-31 + references: 0, strongest binding: - #AC: active - #AR: archived (not active) - #PU: purged - ValueSet: http://hl7.org/fhir/ValueSet/v3-EducationLevel|2015-07-31 + references: 0, strongest binding: - #ASSOC: Associate's or technical degree complete - #BD: College or baccalaureate degree complete - #ELEM: Elementary School @@ -39702,30 +40520,37 @@ Value Sets: 930 (unversioned) - #SCOL: Some College education - #SEC: Some secondary or high school education - ValueSet: http://hl7.org/fhir/ValueSet/v3-EmployeeJobClass|2015-07-31 + references: 0, strongest binding: - #FT: full-time - #PT: part-time - ValueSet: http://hl7.org/fhir/ValueSet/v3-EncounterAdmissionSource|2015-07-31 + references: 0, strongest binding: - #E: emergency - #LD: labor and delivery - #NB: newborn - ValueSet: http://hl7.org/fhir/ValueSet/v3-EncounterSpecialCourtesy|2015-07-31 + references: 0, strongest binding: - #EXT: extended courtesy - #NRM: normal courtesy - #PRF: professional courtesy - #STF: staff - #VIP: very important person - ValueSet: http://hl7.org/fhir/ValueSet/v3-EntityClass|2015-07-31 + references: 0, strongest binding: - #ENT: entity - ValueSet: http://hl7.org/fhir/ValueSet/v3-EntityCode|2015-07-31 + references: 0, strongest binding: - #_MaterialEntityClassType: MaterialEntityClassType - #_NonDrugAgentEntity: NonDrugAgentEntity - #_OrganizationEntityType: OrganizationEntityType - #_PlaceEntityType: PlaceEntityType - #_ResourceGroupEntityType: ResourceGroupEntityType - ValueSet: http://hl7.org/fhir/ValueSet/v3-EntityDeterminer|2015-07-31 + references: 0, strongest binding: - #INSTANCE: specific - #KIND: described - ValueSet: http://hl7.org/fhir/ValueSet/v3-EntityHandling|2015-07-31 + references: 0, strongest binding: - #AMB: Ambient Temperature - #C37: Body Temperature - #CAMB: Critical Ambient temperature @@ -39745,10 +40570,12 @@ Value Sets: 930 (unversioned) - #UFRZ: Ultra frozen - #UPR: upright - ValueSet: http://hl7.org/fhir/ValueSet/v3-EntityNamePartQualifier|2015-07-31 + references: 0, strongest binding: - #_OrganizationNamePartQualifier: OrganizationNamePartQualifier - #_PersonNamePartQualifier: PersonNamePartQualifier - #PharmaceuticalEntityNamePartQualifiers: PharmaceuticalEntityNamePartQualifiers - ValueSet: http://hl7.org/fhir/ValueSet/v3-EntityNamePartQualifierR2|2015-07-31 + references: 0, strongest binding: - #AD: acquired - #BR: birth - #CL: callme @@ -39760,17 +40587,20 @@ Value Sets: 930 (unversioned) - #SFX: suffix - #TitleStyles: TitleStyles - ValueSet: http://hl7.org/fhir/ValueSet/v3-EntityNamePartType|2015-07-31 + references: 0, strongest binding: - #DEL: delimiter - #FAM: family - #GIV: given - #PFX: prefix - #SFX: suffix - ValueSet: http://hl7.org/fhir/ValueSet/v3-EntityNamePartTypeR2|2015-07-31 + references: 0, strongest binding: - #DEL: delimiter - #FAM: family - #GIV: given - #TITLE: title - ValueSet: http://hl7.org/fhir/ValueSet/v3-EntityNameUse|2015-07-31 + references: 0, strongest binding: - #_NameRepresentationUse: NameRepresentationUse - #ASGN: assigned - #C: License @@ -39780,6 +40610,7 @@ Value Sets: 930 (unversioned) - #R: Religious - #SRCH: search - ValueSet: http://hl7.org/fhir/ValueSet/v3-EntityNameUseR2|2015-07-31 + references: 0, strongest binding: - #Assumed: Assumed - #C: customary - #M: maiden name @@ -39790,6 +40621,7 @@ Value Sets: 930 (unversioned) - #SRCH: search - #T: temporary - ValueSet: http://hl7.org/fhir/ValueSet/v3-EntityRisk|2015-07-31 + references: 0, strongest binding: - #AGG: aggressive - #BIO: Biological - #COR: Corrosive @@ -39800,19 +40632,24 @@ Value Sets: 930 (unversioned) - #POI: poison - #RAD: radioactive - ValueSet: http://hl7.org/fhir/ValueSet/v3-EntityStatus|2015-07-31 + references: 0, strongest binding: - #normal: normal - #nullified: nullified - ValueSet: http://hl7.org/fhir/ValueSet/v3-EquipmentAlertLevel|2015-07-31 + references: 0, strongest binding: - #C: Critical - #N: Normal - #S: Serious - #W: Warning - ValueSet: http://hl7.org/fhir/ValueSet/v3-Ethnicity|2015-07-31 + references: 0, strongest binding: - #2135-2: Hispanic or Latino - #2186-5: Not Hispanic or Latino - ValueSet: http://hl7.org/fhir/ValueSet/v3-ExposureMode|2015-07-31 + references: 0, strongest binding: - #_ExposureMode: ExposureMode - ValueSet: http://hl7.org/fhir/ValueSet/v3-FamilyMember|2014-03-26 + references: 1, strongest binding: Example - #ADOPTF: adoptive father - #ADOPTM: adoptive mother - #ADOPTP: adoptive parent @@ -39919,9 +40756,11 @@ Value Sets: 930 (unversioned) - #UNCLE: uncle - #WIFE: wife - ValueSet: http://hl7.org/fhir/ValueSet/v3-GenderStatus|2015-07-31 + references: 0, strongest binding: - #I: Intact - #N: Neutered - ValueSet: http://hl7.org/fhir/ValueSet/v3-GeneralPurposeOfUse|2014-03-26 + references: 0, strongest binding: - #COVERAGE: coverage under policy or program - #ETREAT: Emergency Treatment - #HMARKT: healthcare marketing @@ -39932,6 +40771,7 @@ Value Sets: 930 (unversioned) - #PUBHLTH: public health - #TREAT: treatment - ValueSet: http://hl7.org/fhir/ValueSet/v3-GTSAbbreviation|2015-07-31 + references: 0, strongest binding: - #AM: AM - #BID: BID - #JB: JB @@ -39941,9 +40781,11 @@ Value Sets: 930 (unversioned) - #QID: QID - #TID: TID - ValueSet: http://hl7.org/fhir/ValueSet/v3-hl7Realm|2015-07-31 + references: 0, strongest binding: - #BindingRealms: binding realms - #NamespaceRealms: namespace realms - ValueSet: http://hl7.org/fhir/ValueSet/v3-HL7UpdateMode|2015-07-31 + references: 0, strongest binding: - #_SetUpdateMode: SetUpdateMode - #A: Add - #AR: Add or Replace @@ -39957,6 +40799,7 @@ Value Sets: 930 (unversioned) - #U: Unknown - #V: Verify - ValueSet: http://hl7.org/fhir/ValueSet/v3-hl7V3Conformance|2015-07-31 + references: 0, strongest binding: - #I: ignored - #NP: not permitted - #R: required @@ -39964,6 +40807,7 @@ Value Sets: 930 (unversioned) - #RI: required for initiator - #U: undetermined - ValueSet: http://hl7.org/fhir/ValueSet/v3-HtmlLinkType|2015-07-31 + references: 0, strongest binding: - #alternate: alternate - #appendix: appendix - #bookmark: bookmark @@ -39980,15 +40824,18 @@ Value Sets: 930 (unversioned) - #stylesheet: stylesheet - #subsection: subsection - ValueSet: http://hl7.org/fhir/ValueSet/v3-IdentifierReliability|2015-07-31 + references: 0, strongest binding: - #ISS: Issued by System - #UNV: Unverified by system - #VRF: Verified by system - ValueSet: http://hl7.org/fhir/ValueSet/v3-IdentifierScope|2015-07-31 + references: 0, strongest binding: - #BUSN: Business Identifier - #OBJ: Object Identifier - #VER: Version Identifier - #VW: View Specific Identifier - ValueSet: http://hl7.org/fhir/ValueSet/v3-InformationSensitivityPolicy|2014-03-26 + references: 0, strongest binding: - #_ActInformationSensitivityPolicy: ActInformationSensitivityPolicy - #_EntitySensitivityPolicyType: EntityInformationSensitivityPolicy - #_InformationSensitivityPolicy: InformationSensitivityPolicy @@ -40021,9 +40868,11 @@ Value Sets: 930 (unversioned) - #STD: sexually transmitted disease information sensitivity - #TBOO: taboo - ValueSet: http://hl7.org/fhir/ValueSet/v3-IntegrityCheckAlgorithm|2015-07-31 + references: 0, strongest binding: - #SHA-1: secure hash algorithm - 1 - #SHA-256: secure hash algorithm - 256 - ValueSet: http://hl7.org/fhir/ValueSet/v3-LanguageAbilityMode|2015-07-31 + references: 0, strongest binding: - #ESGN: Expressed signed - #ESP: Expressed spoken - #EWR: Expressed written @@ -40031,28 +40880,35 @@ Value Sets: 930 (unversioned) - #RSP: Received spoken - #RWR: Received written - ValueSet: http://hl7.org/fhir/ValueSet/v3-LanguageAbilityProficiency|2015-07-31 + references: 0, strongest binding: - #E: Excellent - #F: Fair - #G: Good - #P: Poor - ValueSet: http://hl7.org/fhir/ValueSet/v3-LivingArrangement|2015-07-31 + references: 0, strongest binding: - #HL: homeless - #I: Institution - #PR: private residence - ValueSet: http://hl7.org/fhir/ValueSet/v3-LocalMarkupIgnore|2015-07-31 + references: 0, strongest binding: - #all: all - #markup: markup - ValueSet: http://hl7.org/fhir/ValueSet/v3-LocalRemoteControlState|2015-07-31 + references: 0, strongest binding: - #L: Local - #R: Remote - ValueSet: http://hl7.org/fhir/ValueSet/v3-ManagedParticipationStatus|2015-07-31 + references: 0, strongest binding: - #normal: normal - #nullified: nullified - ValueSet: http://hl7.org/fhir/ValueSet/v3-MapRelationship|2015-07-31 + references: 0, strongest binding: - #BT: Broader Than - #E: Exact - #NT: Narrower Than - ValueSet: http://hl7.org/fhir/ValueSet/v3-MaritalStatus|2015-07-31 + references: 0, strongest binding: - #A: Annulled - #D: Divorced - #I: Interlocutory @@ -40064,21 +40920,26 @@ Value Sets: 930 (unversioned) - #U: unmarried - #W: Widowed - ValueSet: http://hl7.org/fhir/ValueSet/v3-MessageWaitingPriority|2015-07-31 + references: 0, strongest binding: - #H: High - #L: Low - #M: Medium - ValueSet: http://hl7.org/fhir/ValueSet/v3-MilitaryRoleType|2014-03-26 + references: 0, strongest binding: - #ACTMIL: active duty military - #MIL: military - #RETMIL: retired military - #VET: veteran - ValueSet: http://hl7.org/fhir/ValueSet/v3-ModifyIndicator|2015-07-31 + references: 0, strongest binding: - #M: Modified subscription - #N: New subscription - ValueSet: http://hl7.org/fhir/ValueSet/v3-NullFlavor|2015-07-31 + references: 0, strongest binding: - #NI: NoInformation - #NP: not present - ValueSet: http://hl7.org/fhir/ValueSet/v3-ObligationPolicy|2014-03-26 + references: 0, strongest binding: - #ANONY: anonymize - #AOD: accounting of disclosure - #AUDIT: audit @@ -40103,6 +40964,7 @@ Value Sets: 930 (unversioned) - #PSEUD: pseudonymize - #REDACT: redact - ValueSet: http://hl7.org/fhir/ValueSet/v3-ObservationInterpretation|2015-07-31 + references: 0, strongest binding: - #_GeneticObservationInterpretation: GeneticObservationInterpretation - #_ObservationInterpretationChange: ObservationInterpretationChange - #_ObservationInterpretationExceptions: ObservationInterpretationExceptions @@ -40113,6 +40975,7 @@ Value Sets: 930 (unversioned) - #ObservationInterpretationExpectation: ObservationInterpretationExpectation - #ReactivityObservationInterpretation: ReactivityObservationInterpretation - ValueSet: http://hl7.org/fhir/ValueSet/v3-ObservationMethod|2015-07-31 + references: 0, strongest binding: - #_DecisionObservationMethod: DecisionObservationMethod - #_GeneticObservationMethod: GeneticObservationMethod - #_ObservationMethodAggregate: observation method aggregate @@ -40385,6 +41248,7 @@ Value Sets: 930 (unversioned) - #0271: Photo optical clot detection - #0280: Susceptibility Testing - ValueSet: http://hl7.org/fhir/ValueSet/v3-ObservationType|2014-03-26 + references: 0, strongest binding: - #_ActAdministrativeAuthorizationDetectedIssueCode: ActAdministrativeAuthorizationDetectedIssueCode - #_ActAdministrativeDetectedIssueCode: ActAdministrativeDetectedIssueCode - #_ActAdministrativeRuleDetectedIssueCode: ActAdministrativeRuleDetectedIssueCode @@ -40646,6 +41510,7 @@ Value Sets: 930 (unversioned) - #WATTRNS: water-borne transmission - #WGHT: - ValueSet: http://hl7.org/fhir/ValueSet/v3-ObservationValue|2015-07-31 + references: 0, strongest binding: - #_ActCoverageAssessmentObservationValue: ActCoverageAssessmentObservationValue - #_AllergyTestValue: AllergyTestValue - #_AnnotationValue: AnnotationValue @@ -40664,9 +41529,11 @@ Value Sets: 930 (unversioned) - #_SubjectBodyPosition: _SubjectBodyPosition - #_VerificationOutcomeValue: verification outcome - ValueSet: http://hl7.org/fhir/ValueSet/v3-orderableDrugForm|2015-07-31 + references: 0, strongest binding: - #_AdministrableDrugForm: AdministrableDrugForm - #_DispensableDrugForm: DispensableDrugForm - ValueSet: http://hl7.org/fhir/ValueSet/v3-ParticipationFunction|2015-07-31 + references: 0, strongest binding: - #_AuthorizedParticipationFunction: AuthorizedParticipationFunction - #_CoverageParticipationFunction: CoverageParticipationFunction - #ADMPHYS: admitting physician @@ -40687,18 +41554,22 @@ Value Sets: 930 (unversioned) - #SNRS: scrub nurse - #TASST: third assistant - ValueSet: http://hl7.org/fhir/ValueSet/v3-ParticipationMode|2015-07-31 + references: 2, strongest binding: Example - #ELECTRONIC: electronic data - #PHYSICAL: physical presence - #REMOTE: remote presence - #VERBAL: verbal - #WRITTEN: written - ValueSet: http://hl7.org/fhir/ValueSet/v3-ParticipationSignature|2015-07-31 + references: 0, strongest binding: - #I: intended - #S: signed - #X: required - ValueSet: http://hl7.org/fhir/ValueSet/v3-ParticipationType|2015-07-31 + references: 0, strongest binding: - #PART: Participation - ValueSet: http://hl7.org/fhir/ValueSet/v3-PatientImportance|2015-07-31 + references: 0, strongest binding: - #BM: Board Member - #DFM: Physician Family Member - #DR: Staff Physician @@ -40709,11 +41580,13 @@ Value Sets: 930 (unversioned) - #STF: Staff Member - #VIP: Very Important Person - ValueSet: http://hl7.org/fhir/ValueSet/v3-PaymentTerms|2015-07-31 + references: 0, strongest binding: - #COD: Cash on Delivery - #N30: Net 30 days - #N60: Net 60 days - #N90: Net 90 days - ValueSet: http://hl7.org/fhir/ValueSet/v3-PersonalRelationshipRoleType|2014-03-26 + references: 0, strongest binding: - #ADOPTF: adoptive father - #ADOPTM: adoptive mother - #ADOPTP: adoptive parent @@ -40824,12 +41697,14 @@ Value Sets: 930 (unversioned) - #UNCLE: uncle - #WIFE: wife - ValueSet: http://hl7.org/fhir/ValueSet/v3-PersonDisabilityType|2015-07-31 + references: 0, strongest binding: - #1: Vision impaired - #2: Hearing impaired - #3: Speech impaired - #4: Mentally impaired - #5: Mobility impaired - ValueSet: http://hl7.org/fhir/ValueSet/v3-ProbabilityDistributionType|2015-07-31 + references: 0, strongest binding: - #B: beta - #E: exponential - #F: F @@ -40840,15 +41715,18 @@ Value Sets: 930 (unversioned) - #U: uniform - #X2: chi square - ValueSet: http://hl7.org/fhir/ValueSet/v3-ProcessingID|2015-07-31 + references: 0, strongest binding: - #D: Debugging - #P: Production - #T: Training - ValueSet: http://hl7.org/fhir/ValueSet/v3-ProcessingMode|2015-07-31 + references: 0, strongest binding: - #A: Archive - #I: Initial load - #R: Restore from archive - #T: Current processing - ValueSet: http://hl7.org/fhir/ValueSet/v3-ProvenanceEventCurrentState-AS|2014-08-07 + references: 0, strongest binding: - #aborted: aborted - #cancelled: cancelled - #completed: completed @@ -40856,12 +41734,14 @@ Value Sets: 930 (unversioned) - #nullified: nullified - #obsolete: obsolete - ValueSet: http://hl7.org/fhir/ValueSet/v3-ProvenanceEventCurrentState-DC|2014-08-07 + references: 0, strongest binding: - #AU: authenticated - #DI: dictated - #DO: documented - #LA: legally authenticated - #UC: unsigned completed document - ValueSet: http://hl7.org/fhir/ValueSet/v3-PurposeOfUse|2014-03-26 + references: 5, strongest binding: Extensible - #CAREMGT: Care Management - #CLINTRCH: clinical trial research - #CLINTRL: clinical trial @@ -40906,27 +41786,33 @@ Value Sets: 930 (unversioned) - #TRAIN: training - #TREAT: treatment - ValueSet: http://hl7.org/fhir/ValueSet/v3-QueryParameterValue|2015-07-31 + references: 0, strongest binding: - #_DispenseQueryFilterCode: dispense query filter code - #_OrderFilterCode: _OrderFilterCode - #_PrescriptionDispenseFilterCode: Prescription Dispense Filter Code - #_QueryParameterValue: QueryParameterValue - ValueSet: http://hl7.org/fhir/ValueSet/v3-QueryPriority|2015-07-31 + references: 0, strongest binding: - #D: Deferred - #I: Immediate - ValueSet: http://hl7.org/fhir/ValueSet/v3-QueryRequestLimit|2015-07-31 + references: 0, strongest binding: - #_QueryRequestLimit: QueryRequestLimit - ValueSet: http://hl7.org/fhir/ValueSet/v3-QueryResponse|2015-07-31 + references: 0, strongest binding: - #AE: ApplicationError - #NF: No data found - #OK: Data found - #QE: QueryParameterError - ValueSet: http://hl7.org/fhir/ValueSet/v3-QueryStatusCode|2015-07-31 + references: 0, strongest binding: - #aborted: aborted - #deliveredResponse: deliveredResponse - #executing: executing - #new: new - #waitContinuedQueryResponse: waitContinuedQueryResponse - ValueSet: http://hl7.org/fhir/ValueSet/v3-Race|2015-07-31 + references: 0, strongest binding: - #1002-5: American Indian or Alaska Native - #2028-9: Asian - #2054-5: Black or African American @@ -40934,6 +41820,7 @@ Value Sets: 930 (unversioned) - #2106-3: White - #2131-1: Other Race - ValueSet: http://hl7.org/fhir/ValueSet/v3-RefrainPolicy|2014-03-26 + references: 0, strongest binding: - #NOAUTH: no disclosure without subject authorization - #NOCOLLECT: no collection - #NODSCLCD: no disclosure without consent directive @@ -40953,6 +41840,7 @@ Value Sets: 930 (unversioned) - #ORCON: no disclosure without originator authorization - #RefrainPolicy: refrain policy - ValueSet: http://hl7.org/fhir/ValueSet/v3-RelationalOperator|2015-07-31 + references: 0, strongest binding: - #CT: Contains - #EQ: Equal - #GE: Greater than or equal @@ -40962,10 +41850,12 @@ Value Sets: 930 (unversioned) - #LT: Less than - #NE: Not Equal - ValueSet: http://hl7.org/fhir/ValueSet/v3-RelationshipConjunction|2015-07-31 + references: 0, strongest binding: - #AND: and - #OR: or - #XOR: exclusive or - ValueSet: http://hl7.org/fhir/ValueSet/v3-ReligiousAffiliation|2015-07-31 + references: 0, strongest binding: - #1001: Adventist - #1002: African Religions - #1003: Afro-Caribbean Religions @@ -41049,6 +41939,7 @@ Value Sets: 930 (unversioned) - #1081: Unitarian Universalist - #1082: United Church of Christ - ValueSet: http://hl7.org/fhir/ValueSet/v3-ResponseLevel|2015-07-31 + references: 0, strongest binding: - #C: completion - #D: detail - #E: exception @@ -41057,14 +41948,17 @@ Value Sets: 930 (unversioned) - #R: modification - #X: none - ValueSet: http://hl7.org/fhir/ValueSet/v3-ResponseModality|2015-07-31 + references: 0, strongest binding: - #B: Batch - #R: Real Time - #T: Bolus - ValueSet: http://hl7.org/fhir/ValueSet/v3-ResponseMode|2015-07-31 + references: 0, strongest binding: - #D: deferred - #I: immediate - #Q: queue - ValueSet: http://hl7.org/fhir/ValueSet/v3-RoleClass|2015-07-31 + references: 0, strongest binding: - #CHILD: child - #CRED: credentialed entity - #NURPRAC: nurse practitioner @@ -41073,6 +41967,7 @@ Value Sets: 930 (unversioned) - #PHYS: physician - #ROL: role - ValueSet: http://hl7.org/fhir/ValueSet/v3-RoleCode|2015-07-31 + references: 0, strongest binding: - #_AffiliationRoleType: AffiliationRoleType - #_AssignedRoleType: AssignedRoleType - #_CertifiedEntityType: CertifiedEntityType @@ -41107,17 +42002,22 @@ Value Sets: 930 (unversioned) - #SUBSCR: subscriber - #thirdParty: Third Party - ValueSet: http://hl7.org/fhir/ValueSet/v3-RoleLinkStatus|2015-07-31 + references: 0, strongest binding: - #NORMAL: normal - #NULLIFIED: nullified - ValueSet: http://hl7.org/fhir/ValueSet/v3-RoleLinkType|2015-07-31 + references: 1, strongest binding: Example - #REL: related - ValueSet: http://hl7.org/fhir/ValueSet/v3-RoleStatus|2015-07-31 + references: 0, strongest binding: - #normal: normal - #nullified: nullified - ValueSet: http://hl7.org/fhir/ValueSet/v3-RouteOfAdministration|2015-07-31 + references: 0, strongest binding: - #_RouteByMethod: RouteByMethod - #_RouteBySite: RouteBySite - ValueSet: http://hl7.org/fhir/ValueSet/v3-SecurityIntegrityObservationValue|2014-03-26 + references: 0, strongest binding: - #_SECALTINTOBV: alteration integrity - #_SECDATINTOBV: data integrity - #_SECINTCONOBV: integrity confidence @@ -41158,6 +42058,7 @@ Value Sets: 930 (unversioned) - #UNRELIABLE: unreliable - #VERSIONED: versioned - ValueSet: http://hl7.org/fhir/ValueSet/v3-SecurityPolicy|2014-03-26 + references: 0, strongest binding: - #ANONY: anonymize - #AOD: accounting of disclosure - #AUDIT: audit @@ -41201,10 +42102,12 @@ Value Sets: 930 (unversioned) - #RefrainPolicy: refrain policy - #SecurityPolicy: security policy - ValueSet: http://hl7.org/fhir/ValueSet/v3-Sequencing|2015-07-31 + references: 0, strongest binding: - #A: Ascending - #D: Descending - #N: None - ValueSet: http://hl7.org/fhir/ValueSet/v3-ServiceDeliveryLocationRoleType|2014-03-26 + references: 1, strongest binding: Extensible - #_DedicatedClinicalLocationRoleType: DedicatedClinicalLocationRoleType - #_DedicatedNonClinicalLocationRoleType: DedicatedNonClinicalLocationRoleType - #_DedicatedServiceDeliveryLocationRoleType: DedicatedServiceDeliveryLocationRoleType @@ -41333,44 +42236,54 @@ Value Sets: 930 (unversioned) - #WND: Wound clinic - #WORK: work site - ValueSet: http://hl7.org/fhir/ValueSet/v3-SetOperator|2015-07-31 + references: 0, strongest binding: - #_ValueSetOperator: ValueSetOperator - #A: intersect - #H: convex hull - #P: periodic hull - ValueSet: http://hl7.org/fhir/ValueSet/v3-SeverityObservation|2014-03-26 + references: 0, strongest binding: - #H: High - #L: Low - #M: Moderate - ValueSet: http://hl7.org/fhir/ValueSet/v3-SpecimenType|2015-07-31 + references: 0, strongest binding: - #_SpecimenEntityType: SpecimenEntityType - ValueSet: http://hl7.org/fhir/ValueSet/v3-substanceAdminSubstitution|2015-07-31 + references: 0, strongest binding: - #_ActSubstanceAdminSubstitutionCode: ActSubstanceAdminSubstitutionCode - ValueSet: http://hl7.org/fhir/ValueSet/v3-SubstanceAdminSubstitutionReason|2014-03-26 + references: 2, strongest binding: Example - #CT: continuing therapy - #FP: formulary policy - #OS: out of stock - #RR: regulatory requirement - ValueSet: http://hl7.org/fhir/ValueSet/v3-SubstitutionCondition|2015-07-31 + references: 0, strongest binding: - #_Conditional: Conditional - #NOSUB: No substitution - #UNCOND: Unconditional - ValueSet: http://hl7.org/fhir/ValueSet/v3-TableCellHorizontalAlign|2015-07-31 + references: 0, strongest binding: - #center: center - #char: char - #justify: justify - #left: left - #right: right - ValueSet: http://hl7.org/fhir/ValueSet/v3-TableCellScope|2015-07-31 + references: 0, strongest binding: - #col: col - #colgroup: colgroup - #row: row - #rowgroup: rowgroup - ValueSet: http://hl7.org/fhir/ValueSet/v3-TableCellVerticalAlign|2015-07-31 + references: 0, strongest binding: - #baseline: baseline - #bottom: bottom - #middle: middle - #top: top - ValueSet: http://hl7.org/fhir/ValueSet/v3-TableFrame|2015-07-31 + references: 0, strongest binding: - #above: above - #below: below - #border: border @@ -41381,12 +42294,14 @@ Value Sets: 930 (unversioned) - #void: void - #vsides: vsides - ValueSet: http://hl7.org/fhir/ValueSet/v3-TableRules|2015-07-31 + references: 0, strongest binding: - #all: all - #cols: cols - #groups: groups - #none: none - #rows: rows - ValueSet: http://hl7.org/fhir/ValueSet/v3-TargetAwareness|2015-07-31 + references: 0, strongest binding: - #D: denying - #F: full awareness - #I: incapable @@ -41394,12 +42309,14 @@ Value Sets: 930 (unversioned) - #P: partial - #U: uninformed - ValueSet: http://hl7.org/fhir/ValueSet/v3-TelecommunicationCapabilities|2015-07-31 + references: 0, strongest binding: - #data: data - #fax: fax - #sms: sms - #tty: text - #voice: voice - ValueSet: http://hl7.org/fhir/ValueSet/v3-TimingEvent|2015-07-31 + references: 0, strongest binding: - #AC: AC - #ACD: ACD - #ACM: ACM @@ -41416,11 +42333,14 @@ Value Sets: 930 (unversioned) - #PCV: PCV - #WAKE: WAKE - ValueSet: http://hl7.org/fhir/ValueSet/v3-TransmissionRelationshipTypeCode|2015-07-31 + references: 0, strongest binding: - #SEQL: sequence - ValueSet: http://hl7.org/fhir/ValueSet/v3-TribalEntityUS|2015-07-31 + references: 0, strongest binding: - #_NativeEntityAlaska: NativeEntityAlaska - #_NativeEntityContiguous: NativeEntityContiguous - ValueSet: http://hl7.org/fhir/ValueSet/v3-VaccineManufacturer|2015-07-31 + references: 0, strongest binding: - #AB: Abbott Laboratories (includes Ross Products Division) - #AD: Adams Laboratories - #ALP: Alpha Therapeutic Corporation @@ -41462,25 +42382,30 @@ Value Sets: 930 (unversioned) - #WA: Wyeth-Ayerst [Inactive - use WAL] - #WAL: Wyeth-Ayerst (includes Wyeth-Lederle Vaccines and Pediatrics, Wyeth Laboratories, Lederle Laboratories, and Praxis Biologics) - ValueSet: http://hl7.org/fhir/ValueSet/v3-VerificationMethod|2014-03-26 + references: 0, strongest binding: - #_VerificationMethod: VerificationMethod - #VDOC: document verification - #VREG: registry verification - #VTOKEN: electronic token verification - #VVOICE: voice-based verification - ValueSet: http://hl7.org/fhir/ValueSet/v3-xBasicConfidentialityKind|2014-03-26 + references: 0, strongest binding: - #N: normal - #R: restricted - #V: very restricted - ValueSet: http://hl7.org/fhir/ValueSet/vaccination-protocol-dose-status|1.0.2 + references: 1, strongest binding: Example - #count: Counts - #nocount: Does not Count - ValueSet: http://hl7.org/fhir/ValueSet/vaccination-protocol-dose-status-reason|1.0.2 + references: 1, strongest binding: Example - #advstorage: Adverse storage condition - #coldchbrk: Cold chain break - #explot: Expired lot - #outsidesched: Administered outside recommended schedule - #prodrecall: Product recall - ValueSet: http://hl7.org/fhir/ValueSet/vaccination-protocol-dose-target|1.0.2 + references: 1, strongest binding: Example - #14189004: - #1857005: - #27836007: @@ -41491,21 +42416,26 @@ Value Sets: 930 (unversioned) - #709410003: - #76902006: - ValueSet: http://hl7.org/fhir/ValueSet/versioning-policy|1.0.2 + references: 1, strongest binding: Required - #no-version: No VersionId Support - #versioned: Versioned - #versioned-update: VersionId tracked fully - ValueSet: http://hl7.org/fhir/ValueSet/vision-base-codes|1.0.2 + references: 1, strongest binding: Required - #down: Down - #in: In - #out: Out - #up: Up - ValueSet: http://hl7.org/fhir/ValueSet/vision-eye-codes|1.0.2 + references: 1, strongest binding: Required - #left: Left Eye - #right: Right Eye - ValueSet: http://hl7.org/fhir/ValueSet/vision-product|1.0.2 + references: 1, strongest binding: Example - #contact: - #lens: - ValueSet: http://hl7.org/fhir/ValueSet/xds-relationship-type|1.0.2 + references: 0, strongest binding: - #APND: APND - #RPLC: RPLC - #signs: Signs diff --git a/generated/Info_R3.txt b/generated/Info_R3.txt index cfa8e02fb..c1d3c34a9 100644 --- a/generated/Info_R3.txt +++ b/generated/Info_R3.txt @@ -14179,13 +14179,16 @@ All Interaction Parameters: 1 ?_format=string (_format) Value Sets: 1082 (unversioned) - ValueSet: http://hl7.org/fhir/ValueSet/abstract-types|3.0.2 + references: 0, strongest binding: - #Any: Any - #Type: Type - ValueSet: http://hl7.org/fhir/ValueSet/account-status|3.0.2 + references: 1, strongest binding: Required - #active: Active - #entered-in-error: Entered in error - #inactive: Inactive - ValueSet: http://hl7.org/fhir/ValueSet/account-type|3.0.2 + references: 1, strongest binding: Example - #_ActAccountCode: ActAccountCode - #ACCTRECEIVABLE: account receivable - #AE: American Express @@ -14197,29 +14200,36 @@ Value Sets: 1082 (unversioned) - #PBILLACCT: patient billing account - #V: Visa - ValueSet: http://hl7.org/fhir/ValueSet/action-cardinality-behavior|3.0.2 + references: 2, strongest binding: Required - #multiple: Multiple - #single: Single - ValueSet: http://hl7.org/fhir/ValueSet/action-condition-kind|3.0.2 + references: 2, strongest binding: Required - #applicability: Applicability - #start: Start - #stop: Stop - ValueSet: http://hl7.org/fhir/ValueSet/action-grouping-behavior|3.0.2 + references: 2, strongest binding: Required - #logical-group: Logical Group - #sentence-group: Sentence Group - #visual-group: Visual Group - ValueSet: http://hl7.org/fhir/ValueSet/actionlist|3.0.2 + references: 1, strongest binding: Required - #cancel: Cancel, Reverse or Nullify - #poll: Poll - #reprocess: Re-Process - #status: Status Check - ValueSet: http://hl7.org/fhir/ValueSet/action-participant-type|3.0.2 + references: 2, strongest binding: Required - #patient: Patient - #practitioner: Practitioner - #related-person: Related Person - ValueSet: http://hl7.org/fhir/ValueSet/action-precheck-behavior|3.0.2 + references: 2, strongest binding: Required - #no: No - #yes: Yes - ValueSet: http://hl7.org/fhir/ValueSet/action-relationship-type|3.0.2 + references: 2, strongest binding: Required - #after: After - #after-end: After End - #after-start: After Start @@ -14230,10 +14240,12 @@ Value Sets: 1082 (unversioned) - #concurrent-with-end: Concurrent With End - #concurrent-with-start: Concurrent With Start - ValueSet: http://hl7.org/fhir/ValueSet/action-required-behavior|3.0.2 + references: 2, strongest binding: Required - #could: Could - #must: Must - #must-unless-documented: Must Unless Documented - ValueSet: http://hl7.org/fhir/ValueSet/action-selection-behavior|3.0.2 + references: 2, strongest binding: Required - #all: All - #all-or-none: All Or None - #any: Any @@ -14241,15 +14253,18 @@ Value Sets: 1082 (unversioned) - #exactly-one: Exactly One - #one-or-more: One Or More - ValueSet: http://hl7.org/fhir/ValueSet/action-type|3.0.2 + references: 2, strongest binding: Required - #create: Create - #fire-event: Fire Event - #remove: Remove - #update: Update - ValueSet: http://hl7.org/fhir/ValueSet/activity-definition-category|3.0.2 + references: 0, strongest binding: - #assessment: Assessment - #education: Education - #treatment: Treatment - ValueSet: http://hl7.org/fhir/ValueSet/additionalmaterials|3.0.2 + references: 0, strongest binding: - #document: Document - #email: Email - #image: Image @@ -14257,15 +14272,18 @@ Value Sets: 1082 (unversioned) - #other: Other - #xray: XRay - ValueSet: http://hl7.org/fhir/ValueSet/address-type|3.0.2 + references: 1, strongest binding: Required - #both: Postal & Physical - #physical: Physical - #postal: Postal - ValueSet: http://hl7.org/fhir/ValueSet/address-use|3.0.2 + references: 1, strongest binding: Required - #home: Home - #old: Old / Incorrect - #temp: Temporary - #work: Work - ValueSet: http://hl7.org/fhir/ValueSet/adjudication|3.0.2 + references: 2, strongest binding: Example - #benefit: Benefit Amount - #copay: CoPay - #deductible: Deductable @@ -14274,32 +14292,41 @@ Value Sets: 1082 (unversioned) - #tax: Emergency Department - #total: Total - ValueSet: http://hl7.org/fhir/ValueSet/adjudication-error|3.0.2 + references: 3, strongest binding: Example - #a001: Missing Identifier - #a002: Missing Creation Date - ValueSet: http://hl7.org/fhir/ValueSet/adjudication-reason|3.0.2 + references: 2, strongest binding: Example - #ar001: Not covered - #ar002: Plan Limit Reached - ValueSet: http://hl7.org/fhir/ValueSet/administrative-gender|3.0.2 + references: 6, strongest binding: Required - #female: Female - #male: Male - #other: Other - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/adverse-event-category|3.0.2 + references: 1, strongest binding: Required - #AE: Adverse Event - #PAE: Potential Adverse Event - ValueSet: http://hl7.org/fhir/ValueSet/adverse-event-causality|3.0.2 + references: 1, strongest binding: Required - #causality1: causality1 placeholder - #causality2: causality2 placeholder - ValueSet: http://hl7.org/fhir/ValueSet/adverse-event-causality-assess|3.0.2 + references: 1, strongest binding: Example - #assess1: assess1 placeholder - #assess2: assess2 placeholder - ValueSet: http://hl7.org/fhir/ValueSet/adverse-event-causality-method|3.0.2 + references: 1, strongest binding: Example - #method1: placeholder - #method2: placeholder - ValueSet: http://hl7.org/fhir/ValueSet/adverse-event-causality-result|3.0.2 + references: 1, strongest binding: Example - #result1: placeholder - #result2: placeholder - ValueSet: http://hl7.org/fhir/ValueSet/adverse-event-outcome|3.0.2 + references: 1, strongest binding: Required - #fatal: Fatal - #ongoing: Ongoing - #recovering: Recovering @@ -14307,10 +14334,12 @@ Value Sets: 1082 (unversioned) - #resolvedWithSequelae: Resolved with Sequelae - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/adverse-event-seriousness|3.0.2 + references: 1, strongest binding: Example - #Mild: Mild - #Moderate: Moderate - #Severe: Severe - ValueSet: http://hl7.org/fhir/ValueSet/age-units|3.0.2 + references: 0, strongest binding: - #a: years - #d: days - #h: hours @@ -14318,30 +14347,37 @@ Value Sets: 1082 (unversioned) - #mo: months - #wk: weeks - ValueSet: http://hl7.org/fhir/ValueSet/allerg-intol-substance-exp-risk|3.0.2 + references: 0, strongest binding: - #known-reaction-risk: Known Reaction Risk - #no-known-reaction-risk: No Known Reaction Risk - ValueSet: http://hl7.org/fhir/ValueSet/allergy-clinical-status|3.0.2 + references: 1, strongest binding: Required - #active: Active - #inactive: Inactive - #resolved: Resolved - ValueSet: http://hl7.org/fhir/ValueSet/allergy-intolerance-category|3.0.2 + references: 1, strongest binding: Required - #biologic: Biologic - #environment: Environment - #food: Food - #medication: Medication - ValueSet: http://hl7.org/fhir/ValueSet/allergy-intolerance-criticality|3.0.2 + references: 1, strongest binding: Required - #high: High Risk - #low: Low Risk - #unable-to-assess: Unable to Assess Risk - ValueSet: http://hl7.org/fhir/ValueSet/allergy-intolerance-type|3.0.2 + references: 1, strongest binding: Required - #allergy: Allergy - #intolerance: Intolerance - ValueSet: http://hl7.org/fhir/ValueSet/allergy-verification-status|3.0.2 + references: 1, strongest binding: Required - #confirmed: Confirmed - #entered-in-error: Entered In Error - #refuted: Refuted - #unconfirmed: Unconfirmed - ValueSet: http://hl7.org/fhir/ValueSet/all-types|3.0.2 + references: 3, strongest binding: Required - #Account: Account - #ActivityDefinition: ActivityDefinition - #Address: Address @@ -14518,6 +14554,7 @@ Value Sets: 1082 (unversioned) - #VisionPrescription: VisionPrescription - #xhtml: XHTML - ValueSet: http://hl7.org/fhir/ValueSet/animal-breeds|3.0.2 + references: 1, strongest binding: Example - #1006005: Percheron horse (organism) - #10261003: Belgium landrace pig (organism) - #10643004: Arucana chicken (organism) @@ -16889,10 +16926,12 @@ Value Sets: 1082 (unversioned) - #9277006: Polled Hereford (organism) - #944009: Brown Welsh cattle breed (organism) - ValueSet: http://hl7.org/fhir/ValueSet/animal-genderstatus|3.0.2 + references: 1, strongest binding: Example - #intact: Intact - #neutered: Neutered - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/animal-species|3.0.2 + references: 1, strongest binding: Example - #125097000: goat - #125099002: sheep - #132950000: mule @@ -16904,6 +16943,7 @@ Value Sets: 1082 (unversioned) - #47290002: chicken - #85626006: donkey - ValueSet: http://hl7.org/fhir/ValueSet/appointmentstatus|3.0.2 + references: 1, strongest binding: Required - #arrived: Arrived - #booked: Booked - #cancelled: Cancelled @@ -16913,9 +16953,11 @@ Value Sets: 1082 (unversioned) - #pending: Pending - #proposed: Proposed - ValueSet: http://hl7.org/fhir/ValueSet/assert-direction-codes|3.0.2 + references: 1, strongest binding: Required - #request: request - #response: response - ValueSet: http://hl7.org/fhir/ValueSet/assert-operator-codes|3.0.2 + references: 1, strongest binding: Required - #contains: contains - #empty: empty - #equals: equals @@ -16928,6 +16970,7 @@ Value Sets: 1082 (unversioned) - #notEquals: notEquals - #notIn: notIn - ValueSet: http://hl7.org/fhir/ValueSet/assert-response-code-types|3.0.2 + references: 1, strongest binding: Required - #bad: bad - #conflict: conflict - #created: created @@ -16941,6 +16984,7 @@ Value Sets: 1082 (unversioned) - #preconditionFailed: preconditionFailed - #unprocessable: unprocessable - ValueSet: http://hl7.org/fhir/ValueSet/audit-entity-type|3.0.2 + references: 1, strongest binding: Extensible - #1: Person - #2: System Object - #3: Organization @@ -17065,17 +17109,20 @@ Value Sets: 1082 (unversioned) - #ValueSet: ValueSet - #VisionPrescription: VisionPrescription - ValueSet: http://hl7.org/fhir/ValueSet/audit-event-action|3.0.2 + references: 1, strongest binding: Required - #C: Create - #D: Delete - #E: Execute - #R: Read/View/Print - #U: Update - ValueSet: http://hl7.org/fhir/ValueSet/audit-event-outcome|3.0.2 + references: 1, strongest binding: Required - #0: Success - #12: Major failure - #4: Minor failure - #8: Serious failure - ValueSet: http://hl7.org/fhir/ValueSet/audit-event-sub-type|20100826 + references: 1, strongest binding: Extensible - #110120: Application Start - #110121: Application Stop - #110122: Login @@ -17117,6 +17164,7 @@ Value Sets: 1082 (unversioned) - #update: update - #vread: vread - ValueSet: http://hl7.org/fhir/ValueSet/audit-event-type|20150326 + references: 1, strongest binding: Extensible - #110100: Application Activity - #110101: Audit Log Used - #110102: Begin Transferring DICOM Instances @@ -17134,6 +17182,7 @@ Value Sets: 1082 (unversioned) - #110114: User Authentication - #rest: RESTful Operation - ValueSet: http://hl7.org/fhir/ValueSet/audit-source-type|20100826 + references: 1, strongest binding: Extensible - #1: User Device - #2: Data Interface - #3: Web Server @@ -17144,6 +17193,7 @@ Value Sets: 1082 (unversioned) - #8: Network Router - #9: Other - ValueSet: http://hl7.org/fhir/ValueSet/basic-resource-type|3.0.2 + references: 1, strongest binding: Example - #account: Account - #adjudicat: Invoice Adjudication - #adminact: Administrative Activity @@ -17161,14 +17211,17 @@ Value Sets: 1082 (unversioned) - #study: Study - #transfer: Transfer - ValueSet: http://hl7.org/fhir/ValueSet/benefit-category|3.0.2 + references: 3, strongest binding: Example - #medical: Medical Health Coverage - #oral: Dental and Oral Health Coverage - #pharmacy: Pharmacy Coverage - #vision: Vision Health Coverage - ValueSet: http://hl7.org/fhir/ValueSet/benefit-network|3.0.2 + references: 2, strongest binding: Example - #in: In Network - #out: Out of Network - ValueSet: http://hl7.org/fhir/ValueSet/benefit-subcategory|3.0.2 + references: 13, strongest binding: Example - #1: Medical Care - #14: Renal Supplies - #2: Surgical @@ -17198,10 +17251,12 @@ Value Sets: 1082 (unversioned) - #F4: Hearing Coverage - #F6: Vision Coverage - ValueSet: http://hl7.org/fhir/ValueSet/benefit-term|3.0.2 + references: 2, strongest binding: Example - #annual: Annual - #day: Day - #lifetime: Lifetime - ValueSet: http://hl7.org/fhir/ValueSet/benefit-type|3.0.2 + references: 2, strongest binding: Example - #benefit: Benefit - #copay: Copayment per service - #copay-maximum: Copayment maximum per service @@ -17215,18 +17270,22 @@ Value Sets: 1082 (unversioned) - #vision-glasses: Vision Glasses - #visit: Visit - ValueSet: http://hl7.org/fhir/ValueSet/benefit-unit|3.0.2 + references: 2, strongest binding: Example - #family: Family - #individual: Individual - ValueSet: http://hl7.org/fhir/ValueSet/binding-strength|3.0.2 + references: 2, strongest binding: Required - #example: Example - #extensible: Extensible - #preferred: Preferred - #required: Required - ValueSet: http://hl7.org/fhir/ValueSet/bodysite-laterality|3.0.2 + references: 1, strongest binding: Example - #419161000: Unilateral left - #419465000: Unilateral right - #51440002: Bilateral - ValueSet: http://hl7.org/fhir/ValueSet/bodysite-relative-location|3.0.2 + references: 1, strongest binding: Example - #255551008: Posterior - #255561001: Medial - #261089000: Inferior @@ -17240,6 +17299,7 @@ Value Sets: 1082 (unversioned) - #49370004: Lateral - #51440002: Bilateral - ValueSet: http://hl7.org/fhir/ValueSet/bundle-type|3.0.2 + references: 1, strongest binding: Required - #batch: Batch - #batch-response: Batch Response - #collection: Collection @@ -17250,6 +17310,7 @@ Value Sets: 1082 (unversioned) - #transaction: Transaction - #transaction-response: Transaction Response - ValueSet: http://hl7.org/fhir/ValueSet/c80-doc-classcodes|20091109 + references: 1, strongest binding: Example - #11369-6: History of Immunization - #11485-0: Anesthesia records - #11486-8: Chemotherapy records @@ -17296,6 +17357,7 @@ Value Sets: 1082 (unversioned) - #57017-6: Privacy Policy Organization Document - #57133-1: Referral note - ValueSet: http://hl7.org/fhir/ValueSet/c80-doc-typecodes|20091109 + references: 2, strongest binding: Preferred - #11206-0: 18-Hydroxydeoxycorticosterone [Mass/volume] in Serum or Plasma - #11485-0: Anesthesia records - #11486-8: Chemotherapy records @@ -23698,6 +23760,7 @@ Value Sets: 1082 (unversioned) - #74480-5: Clinical document Subject matter domain from LOINC Document Ontology - #8653-8: Hospital Discharge instructions - ValueSet: http://hl7.org/fhir/ValueSet/c80-facilitycodes|20091109 + references: 1, strongest binding: Example - #10206005: Hospital outpatient dental clinic - #10531005: Free-standing ambulatory surgery facility - #11424001: Ambulance-based care @@ -23778,6 +23841,7 @@ Value Sets: 1082 (unversioned) - #90484001: Hospital outpatient general surgery clinic - #91154008: Free-standing birthing center - ValueSet: http://hl7.org/fhir/ValueSet/c80-practice-codes|20091109 + references: 7, strongest binding: Preferred - #394539006: Pediatric surgery - #394576009: Surgical-Accident & emergency - #394577000: Anesthetics @@ -23894,10 +23958,12 @@ Value Sets: 1082 (unversioned) - #421661004: Blood banking and transfusion medicine - #422191005: Ophthalmic surgery - ValueSet: http://hl7.org/fhir/ValueSet/capability-statement-kind|3.0.2 + references: 1, strongest binding: Required - #capability: Capability - #instance: Instance - #requirements: Requirements - ValueSet: http://hl7.org/fhir/ValueSet/care-plan-activity-category|1.0.0 + references: 1, strongest binding: Example - #diet: Diet - #drug: Drug - #encounter: Encounter @@ -23906,6 +23972,7 @@ Value Sets: 1082 (unversioned) - #procedure: Procedure - #supply: Supply - ValueSet: http://hl7.org/fhir/ValueSet/care-plan-activity-status|3.0.2 + references: 1, strongest binding: Required - #cancelled: Cancelled - #completed: Completed - #in-progress: In Progress @@ -23914,11 +23981,13 @@ Value Sets: 1082 (unversioned) - #scheduled: Scheduled - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/care-plan-intent|3.0.2 + references: 1, strongest binding: Required - #option: Option - #order: Order - #plan: Plan - #proposal: Proposal - ValueSet: http://hl7.org/fhir/ValueSet/care-plan-status|3.0.2 + references: 1, strongest binding: Required - #active: Active - #cancelled: Cancelled - #completed: Completed @@ -23927,6 +23996,7 @@ Value Sets: 1082 (unversioned) - #suspended: Suspended - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/care-team-category|3.0.2 + references: 1, strongest binding: Example - #clinical-research: Clinical Research - #condition: Condition - #encounter: Encounter @@ -23934,16 +24004,19 @@ Value Sets: 1082 (unversioned) - #event: Event - #longitudinal: Longitudinal Care Coordination - ValueSet: http://hl7.org/fhir/ValueSet/care-team-status|3.0.2 + references: 1, strongest binding: Required - #active: Active - #entered-in-error: Entered In Error - #inactive: Inactive - #proposed: Proposed - #suspended: Suspended - ValueSet: http://hl7.org/fhir/ValueSet/chargeitem-billingcodes|3.0.2 + references: 1, strongest binding: Example - #1100: Unvorhergesehene Inanspruchnahme - #1210: Notfallpauschale - #1320: Grundpauschale - ValueSet: http://hl7.org/fhir/ValueSet/chargeitem-status|3.0.2 + references: 1, strongest binding: Required - #aborted: Aborted - #billable: Billable - #billed: Billed @@ -23952,9 +24025,11 @@ Value Sets: 1082 (unversioned) - #planned: Planned - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/choice-list-orientation|3.0.2 + references: 0, strongest binding: - #horizontal: Horizontal - #vertical: Vertical - ValueSet: http://hl7.org/fhir/ValueSet/chromosome-human|3.0.2 + references: 1, strongest binding: Example - #1: chromosome 1 - #10: chromosome 10 - #11: chromosome 11 @@ -23980,14 +24055,17 @@ Value Sets: 1082 (unversioned) - #X: chromosome X - #Y: chromosome Y - ValueSet: http://hl7.org/fhir/ValueSet/claim-careteamrole|3.0.2 + references: 2, strongest binding: Example - #assist: Assisting Provider - #other: Other - #primary: Primary provider - #supervisor: Supervising Provider - ValueSet: http://hl7.org/fhir/ValueSet/claim-exception|3.0.2 + references: 2, strongest binding: Example - #disabled: Disabled - #student: Student (Fulltime) - ValueSet: http://hl7.org/fhir/ValueSet/claim-informationcategory|3.0.2 + references: 2, strongest binding: Example - #attachment: Attachment - #discharge: Discharge - #exception: Exception @@ -23999,6 +24077,7 @@ Value Sets: 1082 (unversioned) - #prosthesis: Prosthesis - #related: Related Services - ValueSet: http://hl7.org/fhir/ValueSet/claim-modifiers|3.0.2 + references: 10, strongest binding: Example - #a: Repair of prior service or installation - #b: Temporary service or installation - #c: TMJ treatment @@ -24006,44 +24085,54 @@ Value Sets: 1082 (unversioned) - #rooh: Rush or Outside of office hours - #x: None - ValueSet: http://hl7.org/fhir/ValueSet/claim-subtype|3.0.2 + references: 2, strongest binding: Example - #emergency: Emergency Claim - #ortho: Orthodontic Claim - ValueSet: http://hl7.org/fhir/ValueSet/claim-type|3.0.2 + references: 2, strongest binding: Required - #institutional: Institutional - #oral: Oral - #pharmacy: Pharmacy - #professional: Professional - #vision: Vision - ValueSet: http://hl7.org/fhir/ValueSet/claim-use|3.0.2 + references: 1, strongest binding: Required - #complete: Complete - #exploratory: Exploratory - #other: Other - #proposed: Proposed - ValueSet: http://hl7.org/fhir/ValueSet/classification-or-context|3.0.2 + references: 0, strongest binding: - #classification: Classification - #context: Context - ValueSet: http://hl7.org/fhir/ValueSet/clinical-impression-status|3.0.2 + references: 1, strongest binding: Required - #completed: Completed - #draft: In progress - #entered-in-error: Entered in Error - ValueSet: http://hl7.org/fhir/ValueSet/codesystem-content-mode|3.0.2 + references: 1, strongest binding: Required - #complete: Complete - #example: Example - #fragment: Fragment - #not-present: Not Present - ValueSet: http://hl7.org/fhir/ValueSet/codesystem-hierarchy-meaning|3.0.2 + references: 1, strongest binding: Required - #classified-with: Classified With - #grouped-by: Grouped By - #is-a: Is-A - #part-of: Part Of - ValueSet: http://hl7.org/fhir/ValueSet/common-tags|3.0.2 + references: 1, strongest binding: Example - #actionable: Actionable - ValueSet: http://hl7.org/fhir/ValueSet/communication-category|3.0.2 + references: 2, strongest binding: Example - #alert: Alert - #instruction: Instruction - #notification: Notification - #reminder: Reminder - ValueSet: http://hl7.org/fhir/ValueSet/communication-not-done-reason|3.0.2 + references: 1, strongest binding: Example - #family-objection: Family Objection - #invalid-phone-number: Invalid Phone Number - #patient-objection: Patient Objection @@ -24051,27 +24140,32 @@ Value Sets: 1082 (unversioned) - #system-error: System Error - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/compartment-type|3.0.2 + references: 2, strongest binding: Required - #Device: Device - #Encounter: Encounter - #Patient: Patient - #Practitioner: Practitioner - #RelatedPerson: RelatedPerson - ValueSet: http://hl7.org/fhir/ValueSet/composite-measure-scoring|3.0.2 + references: 1, strongest binding: Extensible - #all-or-nothing: All-or-nothing - #linear: Linear - #opportunity: Opportunity - #weighted: Weighted - ValueSet: http://hl7.org/fhir/ValueSet/composition-attestation-mode|3.0.2 + references: 1, strongest binding: Required - #legal: Legal - #official: Official - #personal: Personal - #professional: Professional - ValueSet: http://hl7.org/fhir/ValueSet/composition-status|3.0.2 + references: 2, strongest binding: Required - #amended: Amended - #entered-in-error: Entered in Error - #final: Final - #preliminary: Preliminary - ValueSet: http://hl7.org/fhir/ValueSet/concept-map-equivalence|3.0.2 + references: 1, strongest binding: Required - #disjoint: Disjoint - #equal: Equal - #equivalent: Equivalent @@ -24083,10 +24177,12 @@ Value Sets: 1082 (unversioned) - #unmatched: Unmatched - #wider: Wider - ValueSet: http://hl7.org/fhir/ValueSet/conceptmap-unmapped-mode|3.0.2 + references: 1, strongest binding: Required - #fixed: Fixed Code - #other-map: Other Map - #provided: Provided Code - ValueSet: http://hl7.org/fhir/ValueSet/concept-property-type|3.0.2 + references: 1, strongest binding: Required - #boolean: boolean - #code: code (internal reference) - #Coding: Coding (external reference) @@ -24094,34 +24190,42 @@ Value Sets: 1082 (unversioned) - #integer: integer - #string: string - ValueSet: http://hl7.org/fhir/ValueSet/conditional-delete-status|3.0.2 + references: 1, strongest binding: Required - #multiple: Multiple Deletes Supported - #not-supported: Not Supported - #single: Single Deletes Supported - ValueSet: http://hl7.org/fhir/ValueSet/conditional-read-status|3.0.2 + references: 1, strongest binding: Required - #full-support: Full Support - #modified-since: If-Modified-Since - #not-match: If-None-Match - #not-supported: Not Supported - ValueSet: http://hl7.org/fhir/ValueSet/condition-category|3.0.2 + references: 1, strongest binding: Example - #encounter-diagnosis: Encounter Diagnosis - #problem-list-item: Problem List Item - ValueSet: http://hl7.org/fhir/ValueSet/condition-clinical|3.0.2 + references: 1, strongest binding: Required - #active: Active - #inactive: Inactive - #recurrence: Recurrence - #remission: Remission - #resolved: Resolved - ValueSet: http://hl7.org/fhir/ValueSet/condition-code|3.0.2 + references: 8, strongest binding: Example - #160245001: No current problems or disability - ValueSet: http://hl7.org/fhir/ValueSet/condition-severity|3.0.2 + references: 1, strongest binding: Preferred - #24484000: - #255604002: - #6736007: - ValueSet: http://hl7.org/fhir/ValueSet/condition-state|3.0.2 + references: 0, strongest binding: - #active: Active - #inactive: Inactive - #resolved: Resolved - ValueSet: http://hl7.org/fhir/ValueSet/condition-ver-status|3.0.2 + references: 1, strongest binding: Required - #confirmed: Confirmed - #differential: Differential - #entered-in-error: Entered In Error @@ -24129,17 +24233,20 @@ Value Sets: 1082 (unversioned) - #refuted: Refuted - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/conformance-expectation|3.0.2 + references: 0, strongest binding: - #MAY: MAY - #SHALL: SHALL - #SHOULD: SHOULD - #SHOULD-NOT: SHOULD-NOT - ValueSet: http://hl7.org/fhir/ValueSet/consent-action|3.0.2 + references: 2, strongest binding: Example - #access: Access - #collect: Collect - #correct: Access and Correct - #disclose: Disclose - #use: Use - ValueSet: http://hl7.org/fhir/ValueSet/consent-category|3.0.2 + references: 1, strongest binding: Example - #42-CFR-2: 42 CFR Part 2 Form of written consent - #57016-8: Privacy policy acknowledgement Document - #57017-6: Privacy policy Organization Document @@ -24172,6 +24279,7 @@ Value Sets: 1082 (unversioned) - #VA-10-5345a-MHV: VA Form 10-5345a-MHV - #VA-21-4142: VA Form 21-4142 - ValueSet: http://hl7.org/fhir/ValueSet/consent-content-class|3.0.2 + references: 1, strongest binding: Extensible - #Account: Account - #ActivityDefinition: ActivityDefinition - #AdverseEvent: AdverseEvent @@ -24294,14 +24402,17 @@ Value Sets: 1082 (unversioned) - #ValueSet: ValueSet - #VisionPrescription: VisionPrescription - ValueSet: http://hl7.org/fhir/ValueSet/consent-data-meaning|3.0.2 + references: 2, strongest binding: Required - #authoredby: AuthoredBy - #dependents: Dependents - #instance: Instance - #related: Related - ValueSet: http://hl7.org/fhir/ValueSet/consent-except-type|3.0.2 + references: 1, strongest binding: Required - #deny: Opt Out - #permit: Opt In - ValueSet: http://hl7.org/fhir/ValueSet/consent-state-codes|3.0.2 + references: 1, strongest binding: Required - #active: Active - #draft: Pending - #entered-in-error: Entered in Error @@ -24309,14 +24420,17 @@ Value Sets: 1082 (unversioned) - #proposed: Proposed - #rejected: Rejected - ValueSet: http://hl7.org/fhir/ValueSet/consistency-type|3.0.2 + references: 1, strongest binding: Example - #439021000124105: nectar thick liquid - #439031000124108: honey thick liquid - #439041000124103: spoon thick liquid - #439081000124109: thin liquid - ValueSet: http://hl7.org/fhir/ValueSet/constraint-severity|3.0.2 + references: 1, strongest binding: Required - #error: Error - #warning: Warning - ValueSet: http://hl7.org/fhir/ValueSet/contactentity-type|3.0.2 + references: 1, strongest binding: Extensible - #ADMIN: Administrative - #BILL: Billing - #HR: Human Resource @@ -24324,6 +24438,7 @@ Value Sets: 1082 (unversioned) - #PAYOR: Payor - #PRESS: Press - ValueSet: http://hl7.org/fhir/ValueSet/contact-point-system|3.0.2 + references: 1, strongest binding: Required - #email: Email - #fax: Fax - #other: Other @@ -24332,28 +24447,34 @@ Value Sets: 1082 (unversioned) - #sms: SMS - #url: URL - ValueSet: http://hl7.org/fhir/ValueSet/contact-point-use|3.0.2 + references: 1, strongest binding: Required - #home: Home - #mobile: Mobile - #old: Old - #temp: Temp - #work: Work - ValueSet: http://hl7.org/fhir/ValueSet/content-type|3.0.2 + references: 3, strongest binding: Required - #json: json - #none: none - #ttl: ttl - #xml: xml - ValueSet: http://hl7.org/fhir/ValueSet/contract-action|3.0.2 + references: 2, strongest binding: Example - #action-a: Action A - #action-b: Action B - ValueSet: http://hl7.org/fhir/ValueSet/contract-actorrole|3.0.2 + references: 4, strongest binding: Example - #patient: Patient - #practitioner: Practitioner - ValueSet: http://hl7.org/fhir/ValueSet/contract-content-derivative|3.0.2 + references: 1, strongest binding: Example - #registration: Content Registration - #retrieval: Content Retrieval - #shareable: Shareable Content - #statement: Content Statement - ValueSet: http://hl7.org/fhir/ValueSet/contract-signer-type|3.0.2 + references: 1, strongest binding: Preferred - #AFFL: Affiliate - #AGNT: Agent - #AMENDER: Amender @@ -24403,6 +24524,7 @@ Value Sets: 1082 (unversioned) - #VERF: Verifier - #WIT: Witness - ValueSet: http://hl7.org/fhir/ValueSet/contract-status|3.0.2 + references: 1, strongest binding: Required - #amended: Amended - #appended: Appended - #cancelled: Cancelled @@ -24419,31 +24541,38 @@ Value Sets: 1082 (unversioned) - #revoked: Revoked - #terminated: Terminated - ValueSet: http://hl7.org/fhir/ValueSet/contract-subtype|3.0.2 + references: 1, strongest binding: Example - #disclosure-ca: Disclosure-CA - #disclosure-us: Disclosure-US - ValueSet: http://hl7.org/fhir/ValueSet/contract-term-subtype|3.0.2 + references: 1, strongest binding: Example - #condition: Condition - #innominate: Innominate - #warranty: Warranty - ValueSet: http://hl7.org/fhir/ValueSet/contract-term-type|3.0.2 + references: 1, strongest binding: Example - #statutory: Statutory - #subject-to: Subject To - ValueSet: http://hl7.org/fhir/ValueSet/contract-type|3.0.2 + references: 1, strongest binding: Example - #consent: Consent - #disclosure: Disclosure - #healthinsurance: Health Insurance - #privacy: Privacy - #supply: Supply Contract - ValueSet: http://hl7.org/fhir/ValueSet/contributor-type|3.0.2 + references: 1, strongest binding: Required - #author: Author - #editor: Editor - #endorser: Endorser - #reviewer: Reviewer - ValueSet: http://hl7.org/fhir/ValueSet/copy-number-event|3.0.2 + references: 0, strongest binding: - #amp: amplificaiton - #del: deletion - #lof: loss of function - ValueSet: http://hl7.org/fhir/ValueSet/coverage-level|3.0.2 + references: 0, strongest binding: - #class: Class - #group: Group - #plan: Plan @@ -24451,18 +24580,23 @@ Value Sets: 1082 (unversioned) - #subgroup: SubGroup - #subplan: SubPlan - ValueSet: http://hl7.org/fhir/ValueSet/coverage-selfpay|3.0.2 + references: 0, strongest binding: - #pay: Pay - ValueSet: http://hl7.org/fhir/ValueSet/coverage-type|3.0.2 + references: 1, strongest binding: Preferred - #pay: Pay - ValueSet: http://hl7.org/fhir/ValueSet/cqif-evidence-quality|3.0.2 + references: 0, strongest binding: - #high: High quality - #low: Low quality - #moderate: Moderate quality - #very-low: Very low quality - ValueSet: http://hl7.org/fhir/ValueSet/cqif-recommendation-strength|3.0.2 + references: 0, strongest binding: - #strong: Strong - #weak: Weak - ValueSet: http://hl7.org/fhir/ValueSet/data-absent-reason|3.0.2 + references: 0, strongest binding: - #asked: Asked - #astext: As Text - #error: Error @@ -24474,6 +24608,7 @@ Value Sets: 1082 (unversioned) - #unknown: Unknown - #unsupported: Unsupported - ValueSet: http://hl7.org/fhir/ValueSet/dataelement-stringency|3.0.2 + references: 1, strongest binding: Required - #comparable: Comparable - #convertable: Convertable - #equivalent: Equivalent @@ -24481,6 +24616,7 @@ Value Sets: 1082 (unversioned) - #fully-specified: Fully Specified - #scaleable: Scaleable - ValueSet: http://hl7.org/fhir/ValueSet/data-types|3.0.2 + references: 0, strongest binding: - #Address: Address - #Age: Age - #Annotation: Annotation @@ -24536,6 +24672,7 @@ Value Sets: 1082 (unversioned) - #uuid: uuid - #xhtml: XHTML - ValueSet: http://hl7.org/fhir/ValueSet/days-of-week|3.0.2 + references: 3, strongest binding: Required - #fri: Friday - #mon: Monday - #sat: Saturday @@ -24544,6 +24681,7 @@ Value Sets: 1082 (unversioned) - #tue: Tuesday - #wed: Wednesday - ValueSet: http://hl7.org/fhir/ValueSet/defined-types|3.0.2 + references: 4, strongest binding: Required - #Account: Account - #ActivityDefinition: ActivityDefinition - #Address: Address @@ -24718,15 +24856,18 @@ Value Sets: 1082 (unversioned) - #VisionPrescription: VisionPrescription - #xhtml: XHTML - ValueSet: http://hl7.org/fhir/ValueSet/definition-status|3.0.2 + references: 0, strongest binding: - #active: Active - #draft: Draft - #unknown: Unknown - #withdrawn: Withdrawn - ValueSet: http://hl7.org/fhir/ValueSet/definition-topic|3.0.2 + references: 5, strongest binding: Example - #assessment: Assessment - #education: Education - #treatment: Treatment - ValueSet: http://hl7.org/fhir/ValueSet/detectedissue-category|3.0.2 + references: 1, strongest binding: Preferred - #_ActSuppliedItemDetectedIssueCode: ActSuppliedItemDetectedIssueCode - #_AdministrationDetectedIssueCode: AdministrationDetectedIssueCode - #_AppropriatenessDetectedIssueCode: AppropriatenessDetectedIssueCode @@ -24761,6 +24902,7 @@ Value Sets: 1082 (unversioned) - #TOOSOON: Refill Too Soon Alert - #TPROD: Therapeutic Product Alert - ValueSet: http://hl7.org/fhir/ValueSet/detectedissue-mitigation-action|3.0.2 + references: 1, strongest binding: Preferred - #_ActAdministrativeDetectedIssueManagementCode: ActAdministrativeDetectedIssueManagementCode - #_ActDetectedIssueManagementCode: ActDetectedIssueManagementCode - #_AuthorizationIssueManagementCode: Authorization Issue Management Code @@ -24789,10 +24931,12 @@ Value Sets: 1082 (unversioned) - #9: Instituted Ongoing Monitoring Program - #EMAUTH: emergency authorization override - ValueSet: http://hl7.org/fhir/ValueSet/detectedissue-severity|3.0.2 + references: 1, strongest binding: Required - #high: High - #low: Low - #moderate: Moderate - ValueSet: http://hl7.org/fhir/ValueSet/device-safety|3.0.2 + references: 1, strongest binding: Example - #C101673: Labeled as Containing Natural Rubber Latex - #C106038: Not Made with Natural Rubber Latex - #C106045: Magnetic Resonance Safe @@ -24800,6 +24944,7 @@ Value Sets: 1082 (unversioned) - #C106047: Magnetic Resonance Unsafe - #C113844: Labeling does not Contain MRI Safety Information - ValueSet: http://hl7.org/fhir/ValueSet/device-statement-status|3.0.2 + references: 1, strongest binding: Required - #active: Active - #completed: Completed - #entered-in-error: Entered in Error @@ -24807,11 +24952,13 @@ Value Sets: 1082 (unversioned) - #on-hold: On Hold - #stopped: Stopped - ValueSet: http://hl7.org/fhir/ValueSet/device-status|3.0.2 + references: 1, strongest binding: Required - #active: Active - #entered-in-error: Entered in Error - #inactive: Inactive - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/diagnosis-role|3.0.2 + references: 2, strongest binding: Preferred - #AD: Admission diagnosis - #billing: Billing - #CC: Chief complaint @@ -24820,6 +24967,7 @@ Value Sets: 1082 (unversioned) - #post-op: post-op diagnosis - #pre-op: pre-op diagnosis - ValueSet: http://hl7.org/fhir/ValueSet/diagnostic-report-status|3.0.2 + references: 1, strongest binding: Required - #amended: Amended - #appended: Appended - #cancelled: Cancelled @@ -24831,6 +24979,7 @@ Value Sets: 1082 (unversioned) - #registered: Registered - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/diagnostic-service-sections|3.0.2 + references: 1, strongest binding: Example - #AU: Audiology - #BG: Blood Gases - #BLB: Blood Bank @@ -24877,6 +25026,7 @@ Value Sets: 1082 (unversioned) - #VUS: Vascular Ultrasound - #XRC: Cineradiograph - ValueSet: http://hl7.org/fhir/ValueSet/dicm-405-mediatype|20100826 + references: 1, strongest binding: Extensible - #110010: Film - #110030: USB Disk Emulation - #110031: Email @@ -24888,6 +25038,7 @@ Value Sets: 1082 (unversioned) - #110037: URI - #110038: Paper Document - ValueSet: http://hl7.org/fhir/ValueSet/dicom-cid29|20121129 + references: 2, strongest binding: Extensible - #AR: Autorefraction - #BDUS: Ultrasound Bone Densitometry - #BMD: Bone Mineral Densitometry @@ -24926,6 +25077,7 @@ Value Sets: 1082 (unversioned) - #XA: X-Ray Angiography - #XC: External-camera Photography - ValueSet: http://hl7.org/fhir/ValueSet/digital-media-subtype|3.0.2 + references: 1, strongest binding: Example - #diagram: Diagram - #face: Face - #fax: Fax @@ -24935,16 +25087,19 @@ Value Sets: 1082 (unversioned) - #retina: Retina scan - #scan: Scanned Document - ValueSet: http://hl7.org/fhir/ValueSet/digital-media-type|3.0.2 + references: 1, strongest binding: Required - #audio: Audio - #photo: Photo - #video: Video - ValueSet: http://hl7.org/fhir/ValueSet/discriminator-type|3.0.2 + references: 1, strongest binding: Required - #exists: Exists - #pattern: Pattern - #profile: Profile - #type: Type - #value: Value - ValueSet: http://hl7.org/fhir/ValueSet/doc-classcodes|3.0.2 + references: 1, strongest binding: Example - #LP156982-3: Photographic image - #LP173118-3: Discharge instructions - #LP173387-4: Administrative note @@ -24979,6 +25134,7 @@ Value Sets: 1082 (unversioned) - #LP183503-4: Case report - #LP193873-9: Driver license - ValueSet: http://hl7.org/fhir/ValueSet/doc-section-codes|3.0.2 + references: 1, strongest binding: Example - #10154-3: - #10157-6: - #10160-0: @@ -25035,18 +25191,22 @@ Value Sets: 1082 (unversioned) - #8653-8: - #8716-3: - ValueSet: http://hl7.org/fhir/ValueSet/document-mode|3.0.2 + references: 1, strongest binding: Required - #consumer: Consumer - #producer: Producer - ValueSet: http://hl7.org/fhir/ValueSet/document-reference-status|3.0.2 + references: 2, strongest binding: Required - #current: Current - #entered-in-error: Entered in Error - #superseded: Superseded - ValueSet: http://hl7.org/fhir/ValueSet/document-relationship-type|3.0.2 + references: 2, strongest binding: Required - #appends: Appends - #replaces: Replaces - #signs: Signs - #transforms: Transforms - ValueSet: http://hl7.org/fhir/ValueSet/encounter-admit-source|3.0.2 + references: 1, strongest binding: Preferred - #born: Born in hospital - #emd: From accident/emergency department - #gp: General Practitioner referral @@ -25058,6 +25218,7 @@ Value Sets: 1082 (unversioned) - #psych: From psychiatric hospital - #rehab: From rehabilitation facility - ValueSet: http://hl7.org/fhir/ValueSet/encounter-diet|3.0.2 + references: 2, strongest binding: Example - #dairy-free: Dairy Free - #gluten-free: Gluten Free - #halal: Halal @@ -25066,6 +25227,7 @@ Value Sets: 1082 (unversioned) - #vegan: Vegan - #vegetarian: Vegetarian - ValueSet: http://hl7.org/fhir/ValueSet/encounter-discharge-disposition|3.0.2 + references: 1, strongest binding: Example - #aadvice: Left against advice - #exp: Expired - #home: Home @@ -25077,11 +25239,13 @@ Value Sets: 1082 (unversioned) - #rehab: Rehabilitation - #snf: Skilled nursing facility - ValueSet: http://hl7.org/fhir/ValueSet/encounter-location-status|3.0.2 + references: 1, strongest binding: Required - #active: Active - #completed: Completed - #planned: Planned - #reserved: Reserved - ValueSet: http://hl7.org/fhir/ValueSet/encounter-participant-type|3.0.2 + references: 3, strongest binding: Extensible - #ADM: admitter - #ATND: attender - #CALLBCK: callback contact @@ -25095,12 +25259,14 @@ Value Sets: 1082 (unversioned) - #SPRF: secondary performer - #translator: Translator - ValueSet: http://hl7.org/fhir/ValueSet/encounter-special-arrangements|3.0.2 + references: 1, strongest binding: Preferred - #add-bed: Additional bedding - #att: Attendant - #dog: Guide dog - #int: Interpreter - #wheel: Wheelchair - ValueSet: http://hl7.org/fhir/ValueSet/encounter-special-courtesy|3.0.2 + references: 1, strongest binding: Preferred - #EXT: extended courtesy - #NRM: normal courtesy - #PRF: professional courtesy @@ -25108,6 +25274,7 @@ Value Sets: 1082 (unversioned) - #UNK: unknown - #VIP: very important person - ValueSet: http://hl7.org/fhir/ValueSet/encounter-status|3.0.2 + references: 2, strongest binding: Required - #arrived: Arrived - #cancelled: Cancelled - #entered-in-error: Entered in Error @@ -25118,11 +25285,13 @@ Value Sets: 1082 (unversioned) - #triaged: Triaged - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/encounter-type|3.0.2 + references: 1, strongest binding: Example - #ADMS: Annual diabetes mellitus screening - #BD/BM-clin: Bone drilling/bone marrow punction in clinic - #CCS60: Infant colon screening - 60 minutes - #OKI: Outpatient Kenacort injection - ValueSet: http://hl7.org/fhir/ValueSet/endpoint-connection-type|3.0.2 + references: 1, strongest binding: Extensible - #dicom-qido-rs: DICOM QIDO-RS - #dicom-stow-rs: DICOM STOW-RS - #dicom-wado-rs: DICOM WADO-RS @@ -25138,6 +25307,7 @@ Value Sets: 1082 (unversioned) - #ihe-xds: IHE XDS - #secure-email: Secure email - ValueSet: http://hl7.org/fhir/ValueSet/endpoint-payload-type|3.0.2 + references: 1, strongest binding: Example - #any: Any - #none: None - #urn:hl7-org:sdwg:ccda-nonXMLBody:1.1: For documents following C-CDA constraints using a non structured body. @@ -25212,6 +25382,7 @@ Value Sets: 1082 (unversioned) - #urn:ihe:rad:PDF: Radiology XDS-I PDF - #urn:ihe:rad:TEXT: Radiology XDS-I Text - ValueSet: http://hl7.org/fhir/ValueSet/endpoint-status|3.0.2 + references: 1, strongest binding: Required - #active: Active - #entered-in-error: Entered in error - #error: Error @@ -25219,6 +25390,7 @@ Value Sets: 1082 (unversioned) - #suspended: Suspended - #test: Test - ValueSet: http://hl7.org/fhir/ValueSet/enteral-route|3.0.2 + references: 1, strongest binding: Extensible - #EFT: Instillation, enteral feeding tube - #ENTINSTL: Instillation, enteral - #GJT: Instillation, gastro-jejunostomy tube @@ -25229,12 +25401,14 @@ Value Sets: 1082 (unversioned) - #OJJ: Instillation, orojejunum tube - #PO: Swallow, oral - ValueSet: http://hl7.org/fhir/ValueSet/entformula-additive|3.0.2 + references: 1, strongest binding: Example - #carbohydrate: Carbohydrate - #fiber: Fiber - #lipid: Lipid - #protein: Protein - #water: Water - ValueSet: http://hl7.org/fhir/ValueSet/entformula-type|3.0.2 + references: 1, strongest binding: Example - #441531000124102: Standard Enteral Formula - #441561000124106: Standard enteral formula with fiber - #441571000124104: High energy enteral formula with fiber @@ -25272,6 +25446,7 @@ Value Sets: 1082 (unversioned) - #443771000124106: Hydrolyzed protein formula - #444431000124104: Pediatric reduced energy formula - ValueSet: http://hl7.org/fhir/ValueSet/episode-of-care-status|3.0.2 + references: 2, strongest binding: Required - #active: Active - #cancelled: Cancelled - #entered-in-error: Entered in Error @@ -25280,15 +25455,18 @@ Value Sets: 1082 (unversioned) - #planned: Planned - #waitlist: Waitlist - ValueSet: http://hl7.org/fhir/ValueSet/episodeofcare-type|3.0.2 + references: 1, strongest binding: Example - #cacp: Community-based aged care - #da: Drug and alcohol rehabilitation - #diab: Post co-ordinated diabetes program - #hacc: Home and Community Care - #pac: Post Acute Care - ValueSet: http://hl7.org/fhir/ValueSet/event-capability-mode|3.0.2 + references: 2, strongest binding: Required - #receiver: Receiver - #sender: Sender - ValueSet: http://hl7.org/fhir/ValueSet/event-status|3.0.2 + references: 2, strongest binding: Required - #aborted: Aborted - #completed: Completed - #entered-in-error: Entered in Error @@ -25297,6 +25475,7 @@ Value Sets: 1082 (unversioned) - #suspended: Suspended - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/event-timing|3.0.2 + references: 1, strongest binding: Required - #AC: AC - #ACD: ACD - #ACM: ACM @@ -25317,6 +25496,7 @@ Value Sets: 1082 (unversioned) - #PHS: After Sleep - #WAKE: WAKE - ValueSet: http://hl7.org/fhir/ValueSet/example-expansion|20150622 + references: 0, strongest binding: - #14647-2: Cholesterol [Moles/volume] in Serum or Plasma - #2093-3: Cholesterol [Mass/volume] in Serum or Plasma - #2096-6: Cholesterol/Triglyceride [Mass Ratio] in Serum or Plasma @@ -25326,16 +25506,19 @@ Value Sets: 1082 (unversioned) - #55838-7: Cholesterol/Phospholipid [Molar ratio] in Serum or Plasma - #9342-7: Cholesterol [Percentile] - ValueSet: http://hl7.org/fhir/ValueSet/example-extensional|20150622 + references: 0, strongest binding: - #14647-2: Cholesterol [Moles/Volume] - #2093-3: Cholesterol [Mass/Volume] - #35200-5: Cholesterol [Mass Or Moles/Volume] - #9342-7: Cholesterol [Percentile] - ValueSet: http://hl7.org/fhir/ValueSet/ex-diagnosisrelatedgroup|3.0.2 + references: 2, strongest binding: Example - #100: Normal Vaginal Delivery - #101: Appendectomy - uncomplicated - #300: Tooth abcess - #400: Head trauma - concussion - ValueSet: http://hl7.org/fhir/ValueSet/ex-diagnosistype|3.0.2 + references: 2, strongest binding: Example - #admitting: Admitting Diagnosis - #clinical: Clinical Diagnosis - #differential: Differential Diagnosis @@ -25349,28 +25532,34 @@ Value Sets: 1082 (unversioned) - #retrospective: Retrospective Diagnosis - #self: Self Diagnosis - ValueSet: http://hl7.org/fhir/ValueSet/ex-onsettype|3.0.2 + references: 0, strongest binding: - #lmn: Last Menstruation - #lxm: Last Exam - #sym: Start of Symptoms - ValueSet: http://hl7.org/fhir/ValueSet/ex-payee-resource-type|3.0.2 + references: 1, strongest binding: Example - #organization: Organization - #patient: Patient - #practitioner: Practitioner - #relatedperson: RelatedPerson - ValueSet: http://hl7.org/fhir/ValueSet/ex-paymenttype|3.0.2 + references: 2, strongest binding: Example - #complete: Complete - #partial: Partial - ValueSet: http://hl7.org/fhir/ValueSet/explanationofbenefit-status|3.0.2 + references: 1, strongest binding: Required - #active: Active - #cancelled: Cancelled - #draft: Draft - #entered-in-error: Entered In Error - ValueSet: http://hl7.org/fhir/ValueSet/ex-program-code|3.0.2 + references: 6, strongest binding: Example - #as: Child Asthma - #auscr: Autism Screening - #hd: Heamodialisis - #none: None - ValueSet: http://hl7.org/fhir/ValueSet/ex-revenue-center|3.0.2 + references: 10, strongest binding: Example - #0010: Vision Clinic - #0370: Anaesthesia - #0420: Physical Therapy @@ -25381,10 +25570,12 @@ Value Sets: 1082 (unversioned) - #0451: Emergency Room - EM/EMTALA - #0452: Emergency Room - beyond EMTALA - ValueSet: http://hl7.org/fhir/ValueSet/extension-context|3.0.2 + references: 1, strongest binding: Required - #datatype: Datatype - #extension: Extension - #resource: Resource - ValueSet: http://hl7.org/fhir/ValueSet/filter-operator|3.0.2 + references: 2, strongest binding: Required - #=: Equals - #descendent-of: Descendent Of (by subsumption) - #exists: Exists @@ -25395,6 +25586,7 @@ Value Sets: 1082 (unversioned) - #not-in: Not in Set - #regex: Regular Expression - ValueSet: http://hl7.org/fhir/ValueSet/fips-county|3.0.2 + references: 0, strongest binding: - #01001: Autauga, AL - #01003: Baldwin, AL - #01005: Barbour, AL @@ -28691,36 +28883,44 @@ Value Sets: 1082 (unversioned) - #78020: St. John, VI - #78030: St. Thomas, VI - ValueSet: http://hl7.org/fhir/ValueSet/flag-category|3.0.2 + references: 1, strongest binding: Example - #admin: Administrative - #contact: Subject contact - #diet: Diet - #drug: Drug - #lab: Lab - ValueSet: http://hl7.org/fhir/ValueSet/flag-priority|3.0.2 + references: 0, strongest binding: - #PH: High priority - #PL: Low priority - #PM: Medium priority - #PN: No alarm - ValueSet: http://hl7.org/fhir/ValueSet/flag-status|3.0.2 + references: 1, strongest binding: Required - #active: Active - #entered-in-error: Entered in Error - #inactive: Inactive - ValueSet: http://hl7.org/fhir/ValueSet/fm-conditions|3.0.2 + references: 0, strongest binding: - #123987: Headache - ValueSet: http://hl7.org/fhir/ValueSet/fm-itemtype|3.0.2 + references: 0, strongest binding: - #group: Group - #product: Product - #service: Service - ValueSet: http://hl7.org/fhir/ValueSet/fm-status|3.0.2 + references: 12, strongest binding: Required - #active: Active - #cancelled: Cancelled - #draft: Draft - #entered-in-error: Entered in Error - ValueSet: http://hl7.org/fhir/ValueSet/focal-subject|3.0.2 + references: 0, strongest binding: - #83418008: Fetus - #DON: donor - #SPS: spouse - ValueSet: http://hl7.org/fhir/ValueSet/formatcodes|20150326 + references: 1, strongest binding: Preferred - #urn:hl7-org:sdwg:ccda-nonXMLBody:1.1: For documents following C-CDA 1.1 constraints using a non structured body. - #urn:hl7-org:sdwg:ccda-nonXMLBody:2.1: For documents following C-CDA 2.1 constraints using a non structured body. - #urn:hl7-org:sdwg:ccda-structuredBody:1.1: For documents following C-CDA 1.1 constraints using a structured body. @@ -28795,38 +28995,46 @@ Value Sets: 1082 (unversioned) - #urn:ihe:rad:PDF: Radiology XDS-I PDF - #urn:ihe:rad:TEXT: Radiology XDS-I Text - ValueSet: http://hl7.org/fhir/ValueSet/forms|3.0.2 + references: 5, strongest binding: Example - #1: Form #1 - #2: Form #1 - ValueSet: http://hl7.org/fhir/ValueSet/fundsreserve|3.0.2 + references: 2, strongest binding: Example - #none: None - #patient: Patient - #provider: Provider - ValueSet: http://hl7.org/fhir/ValueSet/goal-acceptance-status|3.0.2 + references: 0, strongest binding: - #agree: Agree - #disagree: Disagree - #pending: Pending - ValueSet: http://hl7.org/fhir/ValueSet/goal-category|3.0.2 + references: 2, strongest binding: Example - #behavioral: Behavioral - #dietary: Dietary - #nursing: Nursing - #physiotherapy: Physiotherapy - #safety: Safety - ValueSet: http://hl7.org/fhir/ValueSet/goal-priority|3.0.2 + references: 2, strongest binding: Preferred - #high-priority: High Priority - #low-priority: Low Priority - #medium-priority: Medium Priority - ValueSet: http://hl7.org/fhir/ValueSet/goal-relationship-type|3.0.2 + references: 0, strongest binding: - #milestone: Milestone - #other: Other - #predecessor: Predecessor - #replacement: Replacement - #successor: Successor - ValueSet: http://hl7.org/fhir/ValueSet/goal-start-event|3.0.2 + references: 2, strongest binding: Example - #308283009: Discharge from hospital - #32485007: Admission to hospital - #386216000: Childbirth - #442137000: Completion time of procedure - ValueSet: http://hl7.org/fhir/ValueSet/goal-status|3.0.2 + references: 1, strongest binding: Required - #accepted: Accepted - #achieved: Achieved - #ahead-of-target: Ahead of Target @@ -28841,6 +29049,7 @@ Value Sets: 1082 (unversioned) - #rejected: Rejected - #sustaining: Sustaining - ValueSet: http://hl7.org/fhir/ValueSet/goal-status-reason|3.0.2 + references: 0, strongest binding: - #financial-barrier: Financial Reason - #lack-of-social-support: Lack Of Social Support - #lack-of-transportation: Lack Of Transportation @@ -28851,11 +29060,13 @@ Value Sets: 1082 (unversioned) - #surgery: Surgery - #temp-not-attainable: Goal Not Attainable Temporarily - ValueSet: http://hl7.org/fhir/ValueSet/graph-compartment-rule|3.0.2 + references: 1, strongest binding: Required - #custom: Custom - #different: Different - #identical: Identical - #matching: Matching - ValueSet: http://hl7.org/fhir/ValueSet/group-type|3.0.2 + references: 1, strongest binding: Required - #animal: Animal - #device: Device - #medication: Medication @@ -28863,6 +29074,7 @@ Value Sets: 1082 (unversioned) - #practitioner: Practitioner - #substance: Substance - ValueSet: http://hl7.org/fhir/ValueSet/guidance-response-status|3.0.2 + references: 1, strongest binding: Required - #data-requested: Data Requested - #data-required: Data Required - #entered-in-error: Entered In Error @@ -28870,9 +29082,11 @@ Value Sets: 1082 (unversioned) - #in-progress: In Progress - #success: Success - ValueSet: http://hl7.org/fhir/ValueSet/guide-dependency-type|3.0.2 + references: 1, strongest binding: Required - #inclusion: Inclusion - #reference: Reference - ValueSet: http://hl7.org/fhir/ValueSet/guide-page-kind|3.0.2 + references: 1, strongest binding: Required - #dictionary: Dictionary - #directory: Directory - #example: Example @@ -28882,16 +29096,19 @@ Value Sets: 1082 (unversioned) - #resource: Resource - #toc: Table Of Contents - ValueSet: http://hl7.org/fhir/ValueSet/history-not-done-reason|3.0.2 + references: 1, strongest binding: Example - #deferred: Deferred - #subject-unknown: Subject Unknown - #unable-to-obtain: Unable To Obtain - #withheld: Information Withheld - ValueSet: http://hl7.org/fhir/ValueSet/history-status|3.0.2 + references: 1, strongest binding: Required - #completed: Completed - #entered-in-error: Entered in error - #health-unknown: Health unknown - #partial: Partial - ValueSet: http://hl7.org/fhir/ValueSet/hl7-work-group|3.0.2 + references: 0, strongest binding: - #aid: Application Implementation and Design - #cbcc: Community Based Collaborative Care - #cds: Clinical Decision Support @@ -28916,6 +29133,7 @@ Value Sets: 1082 (unversioned) - #us: US Realm Taskforce - #vocab: Vocabulary - ValueSet: http://hl7.org/fhir/ValueSet/http-operations|3.0.2 + references: 1, strongest binding: Required - #delete: DELETE - #get: GET - #options: OPTIONS @@ -28923,11 +29141,13 @@ Value Sets: 1082 (unversioned) - #post: POST - #put: PUT - ValueSet: http://hl7.org/fhir/ValueSet/http-verb|3.0.2 + references: 1, strongest binding: Required - #DELETE: DELETE - #GET: GET - #POST: POST - #PUT: PUT - ValueSet: http://hl7.org/fhir/ValueSet/icd-10|3.0.2 + references: 3, strongest binding: Example - #112233: DIAG-4 - #123456: DIAG-1 - #123457: DIAG-1a @@ -28936,10 +29156,12 @@ Value Sets: 1082 (unversioned) - #987654: DIAG-2 - #997755: DIAG-5 - ValueSet: http://hl7.org/fhir/ValueSet/icd-10-procedures|3.0.2 + references: 2, strongest binding: Example - #123001: PROC-1 - #123002: PROC-2 - #123003: PROC-3 - ValueSet: http://hl7.org/fhir/ValueSet/identifier-type|3.0.2 + references: 2, strongest binding: Extensible - #ACSN: Accession ID - #BRN: Breed Registry Number - #DL: Driver's license number @@ -28958,33 +29180,40 @@ Value Sets: 1082 (unversioned) - #TAX: Tax ID number - #UDI: Universal Device Identifier - ValueSet: http://hl7.org/fhir/ValueSet/identifier-use|3.0.2 + references: 1, strongest binding: Required - #official: Official - #secondary: Secondary - #temp: Temp - #usual: Usual - ValueSet: http://hl7.org/fhir/ValueSet/identity-assuranceLevel|3.0.2 + references: 1, strongest binding: Required - #level1: Level 1 - #level2: Level 2 - #level3: Level 3 - #level4: Level 4 - ValueSet: http://hl7.org/fhir/ValueSet/immunization-origin|3.0.2 + references: 1, strongest binding: Example - #provider: Other Provider - #recall: Parent/Guardian/Patient Recall - #record: Written Record - #school: School Record - ValueSet: http://hl7.org/fhir/ValueSet/immunization-reason|3.0.2 + references: 1, strongest binding: Example - #281657000: - #429060002: - ValueSet: http://hl7.org/fhir/ValueSet/immunization-recommendation-date-criterion|3.0.2 + references: 1, strongest binding: Example - #due: Due - #earliest: Earliest Date - #latest: Latest - #overdue: Past Due Date - #recommended: Recommended - ValueSet: http://hl7.org/fhir/ValueSet/immunization-recommendation-status|3.0.2 + references: 1, strongest binding: Example - #due: Due - #overdue: Overdue - ValueSet: http://hl7.org/fhir/ValueSet/immunization-recommendation-target-disease|3.0.2 + references: 1, strongest binding: Example - #14189004: - #1857005: - #27836007: @@ -28995,40 +29224,50 @@ Value Sets: 1082 (unversioned) - #709410003: - #76902006: - ValueSet: http://hl7.org/fhir/ValueSet/immunization-role|3.0.2 + references: 1, strongest binding: Extensible - #AP: Administering Provider - #OP: Ordering Provider - ValueSet: http://hl7.org/fhir/ValueSet/immunization-route|3.0.2 + references: 1, strongest binding: Example - #IM: Injection, intramuscular - #NASINHL: Inhalation, nasal - #PO: Swallow, oral - ValueSet: http://hl7.org/fhir/ValueSet/immunization-site|3.0.2 + references: 1, strongest binding: Example - #LA: left arm - #RA: right arm - ValueSet: http://hl7.org/fhir/ValueSet/immunization-status|3.0.2 + references: 1, strongest binding: Required - #completed: Completed - #entered-in-error: Entered in Error - ValueSet: http://hl7.org/fhir/ValueSet/implant-status|3.0.2 + references: 0, strongest binding: - #disabled: Disabled - #functional: Functional - #non-functional: Non-Functional - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/instance-availability|3.0.2 + references: 2, strongest binding: Required - #NEARLINE: Nearline - #OFFLINE: Offline - #ONLINE: Online - #UNAVAILABLE: Unavailable - ValueSet: http://hl7.org/fhir/ValueSet/intervention|3.0.2 + references: 0, strongest binding: - #other: Other - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/investigation-sets|3.0.2 + references: 1, strongest binding: Example - #160237006: History/symptoms - #271336007: Examination / signs - ValueSet: http://hl7.org/fhir/ValueSet/issue-severity|3.0.2 + references: 1, strongest binding: Required - #error: Error - #fatal: Fatal - #information: Information - #warning: Warning - ValueSet: http://hl7.org/fhir/ValueSet/issue-type|3.0.2 + references: 1, strongest binding: Required - #business-rule: Business Rule Violation - #code-invalid: Invalid Code - #conflict: Edit Version Conflict @@ -29059,6 +29298,7 @@ Value Sets: 1082 (unversioned) - #unknown: Unknown User - #value: Element value invalid - ValueSet: http://hl7.org/fhir/ValueSet/item-type|3.0.2 + references: 1, strongest binding: Required - #attachment: Attachment - #boolean: Boolean - #choice: Choice @@ -29077,6 +29317,7 @@ Value Sets: 1082 (unversioned) - #time: Time - #url: Url - ValueSet: http://hl7.org/fhir/ValueSet/kos-title|3.0.2 + references: 0, strongest binding: - #113000: Of Interest - #113002: For Referring Provider - #113003: For Surgery @@ -29098,6 +29339,7 @@ Value Sets: 1082 (unversioned) - #113035: Signed Complete Acquisition Content - #113036: Group of Frames for Display - ValueSet: http://hl7.org/fhir/ValueSet/languages|3.0.2 + references: 12, strongest binding: Extensible - #ar: Arabic - #bn: Bengali - #cs: Czech @@ -29154,23 +29396,28 @@ Value Sets: 1082 (unversioned) - #zh-SG: Chinese (Singapore) - #zh-TW: Chinese (Taiwan) - ValueSet: http://hl7.org/fhir/ValueSet/ldlcholesterol-codes|1.0.0 + references: 1, strongest binding: Required - #13457-7: LDL Cholesterol (Calc) - #18262-6: LDL Cholesterol (Assay) - ValueSet: http://hl7.org/fhir/ValueSet/library-type|3.0.2 + references: 1, strongest binding: Extensible - #asset-collection: Asset Collection - #logic-library: Logic Library - #model-definition: Model Definition - #module-definition: Module Definition - ValueSet: http://hl7.org/fhir/ValueSet/linkage-type|3.0.2 + references: 1, strongest binding: Required - #alternate: Alternate record - #historical: Historical/obsolete record - #source: Source of truth - ValueSet: http://hl7.org/fhir/ValueSet/link-type|3.0.2 + references: 1, strongest binding: Required - #refer: Refer - #replaced-by: Replaced-by - #replaces: Replaces - #seealso: See also - ValueSet: http://hl7.org/fhir/ValueSet/list-empty-reason|3.0.2 + references: 2, strongest binding: Preferred - #closed: Closed - #nilknown: Nil Known - #notasked: Not Asked @@ -29178,6 +29425,7 @@ Value Sets: 1082 (unversioned) - #unavailable: Unavailable - #withheld: Information Withheld - ValueSet: http://hl7.org/fhir/ValueSet/list-example-codes|3.0.2 + references: 1, strongest binding: Example - #adverserxns: Adverse Reactions - #alerts: Alerts - #allergies: Allergies @@ -29188,6 +29436,7 @@ Value Sets: 1082 (unversioned) - #waiting: Waiting List - #worklist: Worklist - ValueSet: http://hl7.org/fhir/ValueSet/list-item-flag|1 + references: 1, strongest binding: Example - #01: Unchanged - #02: Changed - #03: Cancelled @@ -29195,10 +29444,12 @@ Value Sets: 1082 (unversioned) - #05: Ceased - #06: Suspended - ValueSet: http://hl7.org/fhir/ValueSet/list-mode|3.0.2 + references: 2, strongest binding: Required - #changes: Change List - #snapshot: Snapshot List - #working: Working List - ValueSet: http://hl7.org/fhir/ValueSet/list-order|3.0.2 + references: 2, strongest binding: Preferred - #alphabetic: Sorted Alphabetically - #category: Sorted by Category - #entry-date: Sorted by Item Date @@ -29208,13 +29459,16 @@ Value Sets: 1082 (unversioned) - #system: Sorted by System - #user: Sorted by User - ValueSet: http://hl7.org/fhir/ValueSet/list-status|3.0.2 + references: 1, strongest binding: Required - #current: Current - #entered-in-error: Entered In Error - #retired: Retired - ValueSet: http://hl7.org/fhir/ValueSet/location-mode|3.0.2 + references: 1, strongest binding: Required - #instance: Instance - #kind: Kind - ValueSet: http://hl7.org/fhir/ValueSet/location-physical-type|3.0.2 + references: 1, strongest binding: Example - #area: Area - #bd: Bed - #bu: Building @@ -29230,36 +29484,44 @@ Value Sets: 1082 (unversioned) - #wa: Ward - #wi: Wing - ValueSet: http://hl7.org/fhir/ValueSet/location-status|3.0.2 + references: 1, strongest binding: Required - #active: Active - #inactive: Inactive - #suspended: Suspended - ValueSet: http://hl7.org/fhir/ValueSet/map-context-type|3.0.2 + references: 1, strongest binding: Required - #type: Type - #variable: Variable - ValueSet: http://hl7.org/fhir/ValueSet/map-group-type-mode|3.0.2 + references: 1, strongest binding: Required - #none: Not a Default - #type-and-types: Default for type + combination - #types: Default for Type Combination - ValueSet: http://hl7.org/fhir/ValueSet/map-input-mode|3.0.2 + references: 1, strongest binding: Required - #source: Source Instance - #target: Target Instance - ValueSet: http://hl7.org/fhir/ValueSet/map-model-mode|3.0.2 + references: 1, strongest binding: Required - #produced: Produced Structure Definition - #queried: Queried Structure Definition - #source: Source Structure Definition - #target: Target Structure Definition - ValueSet: http://hl7.org/fhir/ValueSet/map-source-list-mode|3.0.2 + references: 1, strongest binding: Required - #first: First - #last: Last - #not_first: All but the first - #not_last: All but the last - #only_one: Enforce only one - ValueSet: http://hl7.org/fhir/ValueSet/map-target-list-mode|3.0.2 + references: 1, strongest binding: Required - #collate: Collate - #first: First - #last: Last - #share: Share - ValueSet: http://hl7.org/fhir/ValueSet/map-transform|3.0.2 + references: 1, strongest binding: Required - #append: append - #c: c - #cast: cast @@ -29278,6 +29540,7 @@ Value Sets: 1082 (unversioned) - #truncate: truncate - #uuid: uuid - ValueSet: http://hl7.org/fhir/ValueSet/marital-status|3.0.2 + references: 1, strongest binding: Extensible - #A: Annulled - #D: Divorced - #I: Interlocutory @@ -29290,14 +29553,17 @@ Value Sets: 1082 (unversioned) - #UNK: unknown - #W: Widowed - ValueSet: http://hl7.org/fhir/ValueSet/match-grade|3.0.2 + references: 0, strongest binding: - #certain: Certain Match - #certainly-not: Certainly Not a Match - #possible: Possible Match - #probable: Probable Match - ValueSet: http://hl7.org/fhir/ValueSet/measure-data-usage|3.0.2 + references: 1, strongest binding: Extensible - #risk-adjustment-factor: Risk Adjustment Factor - #supplemental-data: Supplemental Data - ValueSet: http://hl7.org/fhir/ValueSet/measurement-principle|3.0.2 + references: 1, strongest binding: Required - #acoustical: MSP Acoustical - #biological: MSP Biological - #chemical: MSP Chemical @@ -29310,6 +29576,7 @@ Value Sets: 1082 (unversioned) - #other: MSP Other - #thermal: MSP Thermal - ValueSet: http://hl7.org/fhir/ValueSet/measure-population|3.0.2 + references: 3, strongest binding: Extensible - #denominator: Denominator - #denominator-exception: Denominator Exception - #denominator-exclusion: Denominator Exclusion @@ -29320,29 +29587,35 @@ Value Sets: 1082 (unversioned) - #numerator: Numerator - #numerator-exclusion: Numerator Exclusion - ValueSet: http://hl7.org/fhir/ValueSet/measure-report-status|3.0.2 + references: 1, strongest binding: Required - #complete: Complete - #error: Error - #pending: Pending - ValueSet: http://hl7.org/fhir/ValueSet/measure-report-type|3.0.2 + references: 1, strongest binding: Required - #individual: Individual - #patient-list: Patient List - #summary: Summary - ValueSet: http://hl7.org/fhir/ValueSet/measure-scoring|3.0.2 + references: 1, strongest binding: Extensible - #cohort: Cohort - #continuous-variable: Continuous Variable - #proportion: Proportion - #ratio: Ratio - ValueSet: http://hl7.org/fhir/ValueSet/measure-type|3.0.2 + references: 1, strongest binding: Extensible - #composite: Composite - #outcome: Outcome - #patient-reported-outcome: Patient Reported Outcome - #process: Process - #structure: Structure - ValueSet: http://hl7.org/fhir/ValueSet/medication-admin-category|3.0.2 + references: 1, strongest binding: Preferred - #community: Community - #inpatient: Inpatient - #outpatient: Outpatient - ValueSet: http://hl7.org/fhir/ValueSet/medication-admin-status|3.0.2 + references: 1, strongest binding: Required - #completed: Completed - #entered-in-error: Entered in Error - #in-progress: In Progress @@ -29350,10 +29623,12 @@ Value Sets: 1082 (unversioned) - #stopped: Stopped - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/medication-dispense-category|3.0.2 + references: 1, strongest binding: Preferred - #community: Community - #inpatient: Inpatient - #outpatient: Outpatient - ValueSet: http://hl7.org/fhir/ValueSet/medication-dispense-status|3.0.2 + references: 1, strongest binding: Required - #completed: Completed - #entered-in-error: Entered in-Error - #in-progress: In Progress @@ -29361,6 +29636,7 @@ Value Sets: 1082 (unversioned) - #preparation: Preparation - #stopped: Stopped - ValueSet: http://hl7.org/fhir/ValueSet/medication-package-form|3.0.2 + references: 1, strongest binding: Example - #ampoule: Ampoule - #bottle: Bottle - #box: Box @@ -29370,20 +29646,24 @@ Value Sets: 1082 (unversioned) - #unitdose: Unit Dose Blister - #vial: Vial - ValueSet: http://hl7.org/fhir/ValueSet/medication-request-category|3.0.2 + references: 1, strongest binding: Preferred - #community: Community - #inpatient: Inpatient - #outpatient: Outpatient - ValueSet: http://hl7.org/fhir/ValueSet/medication-request-intent|3.0.2 + references: 1, strongest binding: Required - #instance-order: Instance Order - #order: Order - #plan: Plan - #proposal: Proposal - ValueSet: http://hl7.org/fhir/ValueSet/medication-request-priority|3.0.2 + references: 1, strongest binding: Required - #asap: ASAP - #routine: Routine - #stat: Stat - #urgent: Urgent - ValueSet: http://hl7.org/fhir/ValueSet/medication-request-status|3.0.2 + references: 1, strongest binding: Required - #active: Active - #cancelled: Cancelled - #completed: Completed @@ -29393,11 +29673,13 @@ Value Sets: 1082 (unversioned) - #stopped: Stopped - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/medication-statement-category|3.0.2 + references: 1, strongest binding: Preferred - #community: Community - #inpatient: Inpatient - #outpatient: Outpatient - #patientspecified: Patient Specified - ValueSet: http://hl7.org/fhir/ValueSet/medication-statement-status|3.0.2 + references: 1, strongest binding: Required - #active: Active - #completed: Completed - #entered-in-error: Entered in Error @@ -29405,15 +29687,18 @@ Value Sets: 1082 (unversioned) - #on-hold: On Hold - #stopped: Stopped - ValueSet: http://hl7.org/fhir/ValueSet/medication-statement-taken|3.0.2 + references: 1, strongest binding: Required - #n: No - #na: Not Applicable - #unk: Unknown - #y: Yes - ValueSet: http://hl7.org/fhir/ValueSet/medication-status|3.0.2 + references: 1, strongest binding: Required - #active: Active - #entered-in-error: Entered in Error - #inactive: Inactive - ValueSet: http://hl7.org/fhir/ValueSet/message-events|3.0.2 + references: 3, strongest binding: Example - #admin-notify: admin-notify - #CodeSystem-expand: CodeSystem-expand - #communication-request: communication-request @@ -29427,11 +29712,13 @@ Value Sets: 1082 (unversioned) - #patient-unlink: patient-unlink - #valueset-expand: valueset-expand - ValueSet: http://hl7.org/fhir/ValueSet/messageheader-response-request|3.0.2 + references: 0, strongest binding: - #always: Always - #never: Never - #on-error: Error/reject conditions only - #on-success: Successful completion only - ValueSet: http://hl7.org/fhir/ValueSet/message-reason-encounter|3.0.2 + references: 1, strongest binding: Example - #absent: Absent - #admit: Admit - #discharge: Discharge @@ -29439,29 +29726,35 @@ Value Sets: 1082 (unversioned) - #moved: Moved - #return: Returned - ValueSet: http://hl7.org/fhir/ValueSet/message-significance-category|3.0.2 + references: 2, strongest binding: Required - #Consequence: Consequence - #Currency: Currency - #Notification: Notification - ValueSet: http://hl7.org/fhir/ValueSet/message-transport|3.0.2 + references: 1, strongest binding: Extensible - #ftp: FTP - #http: HTTP - #mllp: MLLP - ValueSet: http://hl7.org/fhir/ValueSet/metric-calibration-state|3.0.2 + references: 1, strongest binding: Required - #calibrated: Calibrated - #calibration-required: Calibration Required - #not-calibrated: Not Calibrated - #unspecified: Unspecified - ValueSet: http://hl7.org/fhir/ValueSet/metric-calibration-type|3.0.2 + references: 1, strongest binding: Required - #gain: Gain - #offset: Offset - #two-point: Two Point - #unspecified: Unspecified - ValueSet: http://hl7.org/fhir/ValueSet/metric-category|3.0.2 + references: 1, strongest binding: Required - #calculation: Calculation - #measurement: Measurement - #setting: Setting - #unspecified: Unspecified - ValueSet: http://hl7.org/fhir/ValueSet/metric-color|3.0.2 + references: 1, strongest binding: Required - #black: Color Black - #blue: Color Blue - #cyan: Color Cyan @@ -29471,16 +29764,19 @@ Value Sets: 1082 (unversioned) - #white: Color White - #yellow: Color Yellow - ValueSet: http://hl7.org/fhir/ValueSet/metric-operational-status|3.0.2 + references: 1, strongest binding: Required - #entered-in-error: Entered In Error - #off: Off - #on: On - #standby: Standby - ValueSet: http://hl7.org/fhir/ValueSet/missing-tooth-reason|3.0.2 + references: 2, strongest binding: Example - #c: C - #e: E - #o: O - #u: U - ValueSet: http://hl7.org/fhir/ValueSet/modified-foodtype|3.0.2 + references: 1, strongest binding: Example - #102263004: Eggs - #226529007: Starchy food - #226760005: Dairy foods @@ -29496,6 +29792,7 @@ Value Sets: 1082 (unversioned) - #72511004: Fruit - #74242007: Food Starch - ValueSet: http://hl7.org/fhir/ValueSet/name-assembly-order|3.0.2 + references: 0, strongest binding: - #F: Prefix Family Middle Given Suffix - #G: Prefix Given Middle Family Suffix - #NL1: Own Name @@ -29504,6 +29801,7 @@ Value Sets: 1082 (unversioned) - #NL4: Own Name followed by Partner Name - #UNK: unknown - ValueSet: http://hl7.org/fhir/ValueSet/name-part-qualifier|3.0.2 + references: 0, strongest binding: - #AC: academic - #AD: acquired - #BR: birth @@ -29517,6 +29815,7 @@ Value Sets: 1082 (unversioned) - #SP: spouse - #VV: voorvoegsel - ValueSet: http://hl7.org/fhir/ValueSet/name-use|3.0.2 + references: 1, strongest binding: Required - #anonymous: Anonymous - #maiden: Name changed for Marriage - #nickname: Nickname @@ -29525,30 +29824,36 @@ Value Sets: 1082 (unversioned) - #temp: Temp - #usual: Usual - ValueSet: http://hl7.org/fhir/ValueSet/name-v3-representation|3.0.2 + references: 0, strongest binding: - #ABC: Alphabetic - #IDE: Ideographic - #SYL: Syllabic - ValueSet: http://hl7.org/fhir/ValueSet/namingsystem-identifier-type|3.0.2 + references: 1, strongest binding: Required - #oid: OID - #other: Other - #uri: URI - #uuid: UUID - ValueSet: http://hl7.org/fhir/ValueSet/namingsystem-type|3.0.2 + references: 1, strongest binding: Required - #codesystem: Code System - #identifier: Identifier - #root: Root - ValueSet: http://hl7.org/fhir/ValueSet/narrative-status|3.0.2 + references: 1, strongest binding: Required - #additional: Additional - #empty: Empty - #extensions: Extensions - #generated: Generated - ValueSet: http://hl7.org/fhir/ValueSet/network-type|3.0.2 + references: 1, strongest binding: Required - #1: Machine Name - #2: IP Address - #3: Telephone Number - #4: Email address - #5: URI - ValueSet: http://hl7.org/fhir/ValueSet/nhin-purposeofuse|2.0 + references: 0, strongest binding: - #ABUSE: Abuse - #COVERAGE: Coverage - #DECEASED: Deceased @@ -29577,19 +29882,23 @@ Value Sets: 1082 (unversioned) - #TREATMENT: Treatment - #WORKERSCOMP: Worker's Comp - ValueSet: http://hl7.org/fhir/ValueSet/no-immunization-reason|3.0.2 + references: 1, strongest binding: Example - #IMMUNE: immunity - #MEDPREC: medical precaution - #OSTOCK: product out of stock - #PATOBJ: patient objection - ValueSet: http://hl7.org/fhir/ValueSet/note-type|3.0.2 + references: 4, strongest binding: Required - #display: Display - #print: Print (Form) - #printoper: Print (Operator) - ValueSet: http://hl7.org/fhir/ValueSet/nutrient-code|3.0.2 + references: 1, strongest binding: Example - #33463005: Fluid - #39972003: Sodium - #88480006: Potassium - ValueSet: http://hl7.org/fhir/ValueSet/nutrition-request-status|3.0.2 + references: 1, strongest binding: Required - #active: Active - #cancelled: Cancelled - #completed: Completed @@ -29600,6 +29909,7 @@ Value Sets: 1082 (unversioned) - #proposed: Proposed - #requested: Requested - ValueSet: http://hl7.org/fhir/ValueSet/object-lifecycle-events|1.1.0 + references: 1, strongest binding: Extensible - #1: Origination / Creation - #1: Originate/Retain - Record Lifecyle Event - #10: Export @@ -29641,6 +29951,7 @@ Value Sets: 1082 (unversioned) - #9: Report - #9: Receive/Retain - Lifecycle Event - ValueSet: http://hl7.org/fhir/ValueSet/object-role|3.0.2 + references: 1, strongest binding: Extensible - #1: Patient - #10: Guarantor - #11: Security User Entity @@ -29666,6 +29977,7 @@ Value Sets: 1082 (unversioned) - #8: Doctor - #9: Subscriber - ValueSet: http://hl7.org/fhir/ValueSet/observation-category|3.0.2 + references: 1, strongest binding: Preferred - #exam: Exam - #imaging: Imaging - #laboratory: Laboratory @@ -29675,6 +29987,7 @@ Value Sets: 1082 (unversioned) - #therapy: Therapy - #vital-signs: Vital Signs - ValueSet: http://hl7.org/fhir/ValueSet/observation-interpretation|3.0.2 + references: 2, strongest binding: Extensible - #<: Off scale low - #>: Off scale high - #A: Abnormal @@ -29715,6 +30028,7 @@ Value Sets: 1082 (unversioned) - #W: Worse - #WR: Weakly reactive - ValueSet: http://hl7.org/fhir/ValueSet/observation-relationshiptypes|3.0.2 + references: 1, strongest binding: Required - #derived-from: Derived From - #has-member: Has Member - #interfered-by: Interfered By @@ -29722,6 +30036,7 @@ Value Sets: 1082 (unversioned) - #replaces: Replaces - #sequel-to: Sequel To - ValueSet: http://hl7.org/fhir/ValueSet/observation-statistics|3.0.2 + references: 0, strongest binding: - #20-percent: 20th Percentile - #4-dev: Quartile Deviation - #4-lower: Lower Quartile @@ -29744,6 +30059,7 @@ Value Sets: 1082 (unversioned) - #totalcount: Total Count - #variance: Variance - ValueSet: http://hl7.org/fhir/ValueSet/observation-status|3.0.2 + references: 3, strongest binding: Required - #amended: Amended - #cancelled: Cancelled - #corrected: Corrected @@ -29753,6 +30069,7 @@ Value Sets: 1082 (unversioned) - #registered: Registered - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/observation-valueabsentreason|3.0.2 + references: 2, strongest binding: Extensible - #asked: Asked - #astext: As Text - #error: Error @@ -29764,6 +30081,7 @@ Value Sets: 1082 (unversioned) - #unknown: Unknown - #unsupported: Unsupported - ValueSet: http://hl7.org/fhir/ValueSet/observation-vitalsignresult|3.0.2 + references: 2, strongest binding: Extensible - #29463-7: - #39156-5: - #59408-5: @@ -29779,6 +30097,7 @@ Value Sets: 1082 (unversioned) - #8867-4: - #9279-1: - ValueSet: http://hl7.org/fhir/ValueSet/operational-status|3.0.2 + references: 1, strongest binding: Extensible - #entered-in-error: Entered In Error - #hw-discon: Hardware Disconnectd - #not-ready: Not Ready @@ -29787,9 +30106,11 @@ Value Sets: 1082 (unversioned) - #standby: Standby - #transduc-discon: Transducer Diconnected - ValueSet: http://hl7.org/fhir/ValueSet/operation-kind|3.0.2 + references: 1, strongest binding: Required - #operation: Operation - #query: Query - ValueSet: http://hl7.org/fhir/ValueSet/operation-outcome|3.0.2 + references: 1, strongest binding: Example - #DELETE_MULTIPLE_MATCHES: Error: Multiple matches exist for the conditional delete - #MSG_AUTH_REQUIRED: You must authenticate before you can use this service - #MSG_BAD_FORMAT: Bad Syntax: "%s" must be a %s' @@ -29841,14 +30162,17 @@ Value Sets: 1082 (unversioned) - #SEARCH_NONE: Error: no processable search found for %s search parameters "%s" - #UPDATE_MULTIPLE_MATCHES: Error: Multiple matches exist for the conditional update - ValueSet: http://hl7.org/fhir/ValueSet/operation-parameter-use|3.0.2 + references: 2, strongest binding: Required - #in: In - #out: Out - ValueSet: http://hl7.org/fhir/ValueSet/oral-prosthodontic-material|3.0.2 + references: 0, strongest binding: - #1: Fixed Bridge - #2: Maryland Bridge - #3: Denture Acrylic - #4: Denture Chrome Cobalt - ValueSet: http://hl7.org/fhir/ValueSet/organization-type|3.0.2 + references: 1, strongest binding: Example - #bus: Non-Healthcare Business or Corporation - #cg: Community Group - #crs: Clinical Research Sponsor @@ -29861,6 +30185,7 @@ Value Sets: 1082 (unversioned) - #reli: Religious Institution - #team: Organizational team - ValueSet: http://hl7.org/fhir/ValueSet/parameter-group|3.0.2 + references: 1, strongest binding: Extensible - #blood-chemistry: Blood Chemistry Parameter Group - #drug-delivery: Drug Delivery Parameter Group - #ecg: ECG Parameter Group @@ -29871,6 +30196,7 @@ Value Sets: 1082 (unversioned) - #respiratory: Respiratory Parameter Group - #ventilation: Ventilation Parameter Group - ValueSet: http://hl7.org/fhir/ValueSet/parent-relationship-codes|3.0.2 + references: 0, strongest binding: - #ADOPTF: adoptive father - #ADOPTM: adoptive mother - #ADOPTP: adoptive parent @@ -29893,33 +30219,41 @@ Value Sets: 1082 (unversioned) - #STPPRN: step parent - #TWIN: twin - ValueSet: http://hl7.org/fhir/ValueSet/participantrequired|3.0.2 + references: 1, strongest binding: Required - #information-only: Information Only - #optional: Optional - #required: Required - ValueSet: http://hl7.org/fhir/ValueSet/participationstatus|3.0.2 + references: 2, strongest binding: Required - #accepted: Accepted - #declined: Declined - #needs-action: Needs Action - #tentative: Tentative - ValueSet: http://hl7.org/fhir/ValueSet/payeetype|3.0.2 + references: 3, strongest binding: Example - #other: Provider - #provider: Provider - #subscriber: Subscriber - ValueSet: http://hl7.org/fhir/ValueSet/payment-adjustment-reason|3.0.2 + references: 2, strongest binding: Example - #a001: Prior Payment Reversal - #a002: Prior Overpayment - ValueSet: http://hl7.org/fhir/ValueSet/payment-status|3.0.2 + references: 1, strongest binding: Example - #cleared: Cleared - #paid: Paid - ValueSet: http://hl7.org/fhir/ValueSet/payment-type|3.0.2 + references: 1, strongest binding: Example - #adjustment: Adjustment - #advance: Advance - #payment: Payment - ValueSet: http://hl7.org/fhir/ValueSet/plan-definition-type|3.0.2 + references: 1, strongest binding: Extensible - #eca-rule: ECA Rule - #order-set: Order Set - #protocol: Protocol - ValueSet: http://hl7.org/fhir/ValueSet/policyholder-relationship|3.0.2 + references: 1, strongest binding: Example - #child: Child - #common: Common Law Spouse - #other: Other @@ -29927,6 +30261,7 @@ Value Sets: 1082 (unversioned) - #self: Self - #spouse: Spouse - ValueSet: http://hl7.org/fhir/ValueSet/postal-address-use|3.0.2 + references: 0, strongest binding: - #BAD: bad address - #CONF: confidential address - #DIR: direct @@ -29936,6 +30271,7 @@ Value Sets: 1082 (unversioned) - #PST: postal address - #PUB: public - ValueSet: http://hl7.org/fhir/ValueSet/practitioner-role|3.0.2 + references: 1, strongest binding: Example - #doctor: Doctor - #ict: ICT professional - #nurse: Nurse @@ -29943,12 +30279,14 @@ Value Sets: 1082 (unversioned) - #researcher: Researcher - #teacher: Teacher/educator - ValueSet: http://hl7.org/fhir/ValueSet/practitioner-specialty|3.0.2 + references: 1, strongest binding: Example - #cardio: Cardiologist - #dent: Dentist - #dietary: Dietary consultant - #midw: Midwife - #sysarch: Systems architect - ValueSet: http://hl7.org/fhir/ValueSet/probability-distribution-type|3.0.2 + references: 0, strongest binding: - #B: beta - #E: exponential - #F: F @@ -29959,6 +30297,7 @@ Value Sets: 1082 (unversioned) - #U: uniform - #X2: chi square - ValueSet: http://hl7.org/fhir/ValueSet/procedure-category|3.0.2 + references: 2, strongest binding: Example - #103693007: - #24642003: - #387713003: @@ -29966,6 +30305,7 @@ Value Sets: 1082 (unversioned) - #409073007: - #46947000: - ValueSet: http://hl7.org/fhir/ValueSet/procedure-followup|3.0.2 + references: 1, strongest binding: Example - #18949003: - #225164002: - #229506003: @@ -29977,10 +30317,12 @@ Value Sets: 1082 (unversioned) - #394725008: - #447346005: - ValueSet: http://hl7.org/fhir/ValueSet/procedure-outcome|3.0.2 + references: 1, strongest binding: Example - #385669000: - #385670004: - #385671000: - ValueSet: http://hl7.org/fhir/ValueSet/procedure-progress-status-codes|3.0.2 + references: 0, strongest binding: - #anesthesia-induced: Anesthesia Induced - #closed-incision: Closed Incision - #in-operating-room: In Operating Room @@ -29988,20 +30330,24 @@ Value Sets: 1082 (unversioned) - #open-incision: Open Incision - #prepared: Prepared - ValueSet: http://hl7.org/fhir/ValueSet/process-outcome|3.0.2 + references: 1, strongest binding: Example - #complete: Complete - #error: Error - #pended: Pended - ValueSet: http://hl7.org/fhir/ValueSet/process-priority|3.0.2 + references: 2, strongest binding: Example - #deferred: Deferred - #normal: Normal - #stat: Immediate - ValueSet: http://hl7.org/fhir/ValueSet/property-representation|3.0.2 + references: 1, strongest binding: Required - #cdaText: CDA Text Format - #typeAttr: Type Attribute - #xhtml: XHTML - #xmlAttr: XML Attribute - #xmlText: XML Text - ValueSet: http://hl7.org/fhir/ValueSet/provenance-activity-type|1.1.0 + references: 1, strongest binding: Extensible - #ABORT: abort - #aborted: aborted - #ACTIVATE: activate @@ -30057,47 +30403,57 @@ Value Sets: 1082 (unversioned) - #UPDATE: revise - #Usage: used - ValueSet: http://hl7.org/fhir/ValueSet/provenance-entity-role|3.0.2 + references: 1, strongest binding: Required - #derivation: Derivation - #quotation: Quotation - #removal: Removal - #revision: Revision - #source: Source - ValueSet: http://hl7.org/fhir/ValueSet/provider-qualification|3.0.2 + references: 2, strongest binding: Example - #311405: Dentist - #604210: Optometrist - #604215: Ophthalmologist - ValueSet: http://hl7.org/fhir/ValueSet/publication-status|3.0.2 + references: 22, strongest binding: Required - #active: Active - #draft: Draft - #retired: Retired - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/quality-type|3.0.2 + references: 1, strongest binding: Required - #indel: INDEL Comparison - #snp: SNP Comparison - #unknown: UNKNOWN Comparison - ValueSet: http://hl7.org/fhir/ValueSet/quantity-comparator|3.0.2 + references: 1, strongest binding: Required - #<: Less than - #<=: Less or Equal to - #>: Greater than - #>=: Greater or Equal to - ValueSet: http://hl7.org/fhir/ValueSet/question-max-occurs|3.0.2 + references: 0, strongest binding: - #*: Repeating - ValueSet: http://hl7.org/fhir/ValueSet/questionnaire-answers-status|3.0.2 + references: 1, strongest binding: Required - #amended: Amended - #completed: Completed - #entered-in-error: Entered in Error - #in-progress: In Progress - #stopped: Stopped - ValueSet: http://hl7.org/fhir/ValueSet/questionnaire-category|3.0.2 + references: 0, strongest binding: - #273384008: Consumer satisfaction questionnaire - #273479001: General health questionnaire - #273601006: Mental status questionnaire - #273820006: Social support questionnaire - #304784009: Administrative form - ValueSet: http://hl7.org/fhir/ValueSet/questionnaire-display-category|3.0.2 + references: 0, strongest binding: - #instructions: Instructions - #security: Security - ValueSet: http://hl7.org/fhir/ValueSet/questionnaire-item-control|3.0.2 + references: 0, strongest binding: - #autocomplete: Auto-complete - #check-box: Check-box - #drop-down: Drop down @@ -30121,35 +30477,42 @@ Value Sets: 1082 (unversioned) - #unit: Unit - #upper: Upper-bound - ValueSet: http://hl7.org/fhir/ValueSet/questionnaire-usage-mode|3.0.2 + references: 0, strongest binding: - #capture: Capture Only - #capture-display: Capture & Display - #capture-display-non-empty: Capture or, if answered, Display - #display: Display Only - #display-non-empty: Display when Answered - ValueSet: http://hl7.org/fhir/ValueSet/reaction-event-certainty|3.0.2 + references: 0, strongest binding: - #confirmed: Confirmed - #likely: Likely - #unknown: Unknown - #unlikely: Unlikely - ValueSet: http://hl7.org/fhir/ValueSet/reaction-event-severity|3.0.2 + references: 1, strongest binding: Required - #mild: Mild - #moderate: Moderate - #severe: Severe - ValueSet: http://hl7.org/fhir/ValueSet/reason-medication-given-codes|3.0.2 + references: 1, strongest binding: Example - #a: None - #b: Given as Ordered - #c: Emergency - ValueSet: http://hl7.org/fhir/ValueSet/reference-handling-policy|3.0.2 + references: 1, strongest binding: Required - #enforced: Reference Integrity Enforced - #literal: Literal References - #local: Local References Only - #logical: Logical References - #resolves: Resolves References - ValueSet: http://hl7.org/fhir/ValueSet/referencerange-appliesto|3.0.2 + references: 1, strongest binding: Example - #248152002: - #248153007: - #77386006: - ValueSet: http://hl7.org/fhir/ValueSet/referencerange-meaning|3.0.2 + references: 1, strongest binding: Extensible - #endocrine: Endocrine - #follicular: Follicular Stage - #luteal: Luteal @@ -30164,10 +30527,12 @@ Value Sets: 1082 (unversioned) - #treatment: Treatment Range - #type: Type - ValueSet: http://hl7.org/fhir/ValueSet/reference-version-rules|3.0.2 + references: 1, strongest binding: Required - #either: Either Specific or independent - #independent: Version independent - #specific: Version Specific - ValueSet: http://hl7.org/fhir/ValueSet/related-artifact-type|3.0.2 + references: 1, strongest binding: Required - #citation: Citation - #composed-of: Composed Of - #depends-on: Depends On @@ -30177,9 +30542,11 @@ Value Sets: 1082 (unversioned) - #predecessor: Predecessor - #successor: Successor - ValueSet: http://hl7.org/fhir/ValueSet/related-claim-relationship|3.0.2 + references: 2, strongest binding: Example - #associated: Associated Claim - #prior: Prior Claim - ValueSet: http://hl7.org/fhir/ValueSet/relatedperson-relationshiptype|3.0.2 + references: 1, strongest binding: Preferred - #_PersonalRelationshipRoleType: PersonalRelationshipRoleType - #ADOPTF: adoptive father - #ADOPTM: adoptive mother @@ -30303,42 +30670,50 @@ Value Sets: 1082 (unversioned) - #UNCLE: uncle - #WIFE: wife - ValueSet: http://hl7.org/fhir/ValueSet/relationship|3.0.2 + references: 0, strongest binding: - #1: Self - #2: Spouse - #3: Child - #4: Common Law Spouse - #5: Other - ValueSet: http://hl7.org/fhir/ValueSet/remittance-outcome|3.0.2 + references: 5, strongest binding: Required - #complete: Processing Complete - #error: Error - #partial: Partial Processing - ValueSet: http://hl7.org/fhir/ValueSet/report-action-result-codes|3.0.2 + references: 2, strongest binding: Required - #error: Error - #fail: Fail - #pass: Pass - #skip: Skip - #warning: Warning - ValueSet: http://hl7.org/fhir/ValueSet/report-participant-type|3.0.2 + references: 1, strongest binding: Required - #client: Client - #server: Server - #test-engine: Test Engine - ValueSet: http://hl7.org/fhir/ValueSet/report-result-codes|3.0.2 + references: 1, strongest binding: Required - #fail: Fail - #pass: Pass - #pending: Pending - ValueSet: http://hl7.org/fhir/ValueSet/report-status-codes|3.0.2 + references: 1, strongest binding: Required - #completed: Completed - #entered-in-error: Entered In Error - #in-progress: In Progress - #stopped: Stopped - #waiting: Waiting - ValueSet: http://hl7.org/fhir/ValueSet/repository-type|3.0.2 + references: 1, strongest binding: Required - #directlink: Click and see - #login: Result cannot be access unless an account is logged in - #oauth: Result need to be fetched with API and need LOGIN( or cookies are required when visiting the link of resource) - #openapi: The URL is the RESTful or other kind of API that can access to the result. - #other: Some other complicated or particular way to get resource from URL. - ValueSet: http://hl7.org/fhir/ValueSet/request-intent|3.0.2 + references: 5, strongest binding: Required - #filler-order: Filler Order - #instance-order: Instance Order - #option: Option @@ -30348,11 +30723,13 @@ Value Sets: 1082 (unversioned) - #proposal: Proposal - #reflex-order: Reflex Order - ValueSet: http://hl7.org/fhir/ValueSet/request-priority|3.0.2 + references: 7, strongest binding: Required - #asap: ASAP - #routine: Routine - #stat: STAT - #urgent: Urgent - ValueSet: http://hl7.org/fhir/ValueSet/request-status|3.0.2 + references: 5, strongest binding: Required - #active: Active - #cancelled: Cancelled - #completed: Completed @@ -30361,6 +30738,7 @@ Value Sets: 1082 (unversioned) - #suspended: Suspended - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/research-study-status|3.0.2 + references: 1, strongest binding: Required - #completed: Completed - #draft: Draft - #entered-in-error: Entered in error @@ -30368,6 +30746,7 @@ Value Sets: 1082 (unversioned) - #stopped: Stopped - #suspended: Suspended - ValueSet: http://hl7.org/fhir/ValueSet/research-subject-status|3.0.2 + references: 1, strongest binding: Required - #active: Active - #candidate: Candidate - #completed: Completed @@ -30375,19 +30754,23 @@ Value Sets: 1082 (unversioned) - #suspended: Suspended - #withdrawn: Withdrawn - ValueSet: http://hl7.org/fhir/ValueSet/resource-aggregation-mode|3.0.2 + references: 1, strongest binding: Required - #bundled: Bundled - #contained: Contained - #referenced: Referenced - ValueSet: http://hl7.org/fhir/ValueSet/resource-slicing-rules|3.0.2 + references: 1, strongest binding: Required - #closed: Closed - #open: Open - #openAtEnd: Open at End - ValueSet: http://hl7.org/fhir/ValueSet/resource-type-link|3.0.2 + references: 1, strongest binding: Required - #organization: Organization - #patient: Patient - #practitioner: Practitioner - #relatedperson: RelatedPerson - ValueSet: http://hl7.org/fhir/ValueSet/resource-types|3.0.2 + references: 13, strongest binding: Required - #Account: Account - #ActivityDefinition: ActivityDefinition - #AdverseEvent: AdverseEvent @@ -30508,17 +30891,21 @@ Value Sets: 1082 (unversioned) - #ValueSet: ValueSet - #VisionPrescription: VisionPrescription - ValueSet: http://hl7.org/fhir/ValueSet/resource-validation-mode|3.0.2 + references: 0, strongest binding: - #create: Validate for Create - #delete: Validate for Delete - #update: Validate for Update - ValueSet: http://hl7.org/fhir/ValueSet/response-code|3.0.2 + references: 1, strongest binding: Required - #fatal-error: Fatal Error - #ok: OK - #transient-error: Transient Error - ValueSet: http://hl7.org/fhir/ValueSet/restful-capability-mode|3.0.2 + references: 1, strongest binding: Required - #client: Client - #server: Server - ValueSet: http://hl7.org/fhir/ValueSet/restful-security-service|3.0.2 + references: 1, strongest binding: Extensible - #Basic: Basic - #Certificates: Certificates - #Kerberos: Kerberos @@ -30526,12 +30913,14 @@ Value Sets: 1082 (unversioned) - #OAuth: OAuth - #SMART-on-FHIR: SMART-on-FHIR - ValueSet: http://hl7.org/fhir/ValueSet/risk-probability|3.0.2 + references: 1, strongest binding: Example - #certain: Certain - #high: High likelihood - #low: Low likelihood - #moderate: Moderate likelihood - #negligible: Negligible likelihood - ValueSet: http://hl7.org/fhir/ValueSet/search-comparator|3.0.2 + references: 1, strongest binding: Required - #ap: Approximately - #eb: Ends Before - #eq: Equals @@ -30542,10 +30931,12 @@ Value Sets: 1082 (unversioned) - #ne: Not Equals - #sa: Starts After - ValueSet: http://hl7.org/fhir/ValueSet/search-entry-mode|3.0.2 + references: 1, strongest binding: Required - #include: Include - #match: Match - #outcome: Outcome - ValueSet: http://hl7.org/fhir/ValueSet/search-modifier-code|3.0.2 + references: 1, strongest binding: Required - #above: Above - #below: Below - #contains: Contains @@ -30557,6 +30948,7 @@ Value Sets: 1082 (unversioned) - #text: Text - #type: Type - ValueSet: http://hl7.org/fhir/ValueSet/search-param-type|3.0.2 + references: 3, strongest binding: Required - #composite: Composite - #date: Date/DateTime - #number: Number @@ -30566,12 +30958,14 @@ Value Sets: 1082 (unversioned) - #token: Token - #uri: URI - ValueSet: http://hl7.org/fhir/ValueSet/search-xpath-usage|3.0.2 + references: 1, strongest binding: Required - #distance: Distance - #nearby: Nearby - #normal: Normal - #other: Other - #phonetic: Phonetic - ValueSet: http://hl7.org/fhir/ValueSet/security-role-type|1.8.0 + references: 4, strongest binding: Extensible - #_CitizenRoleType: CitizenRoleType - #110150: Application - #110151: Application Launcher @@ -30648,10 +31042,12 @@ Value Sets: 1082 (unversioned) - #VERF: Verifier - #WIT: witness - ValueSet: http://hl7.org/fhir/ValueSet/sequence-type|3.0.2 + references: 1, strongest binding: Example - #aa: AA Sequence - #dna: DNA Sequence - #rna: RNA Sequence - ValueSet: http://hl7.org/fhir/ValueSet/service-category|3.0.2 + references: 4, strongest binding: Example - #1: Adoption - #10: Dental - #11: Disability Support @@ -30691,9 +31087,11 @@ Value Sets: 1082 (unversioned) - #8: Counselling - #9: Death Services - ValueSet: http://hl7.org/fhir/ValueSet/service-modifiers|3.0.2 + references: 0, strongest binding: - #ah: After hours - #sr: Side of the Road - ValueSet: http://hl7.org/fhir/ValueSet/service-pharmacy|3.0.2 + references: 0, strongest binding: - #compoundfee: Compounding Fee - #dispensefee: Dispense Fee - #drugcost: Drug Cost @@ -30701,6 +31099,7 @@ Value Sets: 1082 (unversioned) - #markup: Markup - #smokecess: Smoking cessation - ValueSet: http://hl7.org/fhir/ValueSet/service-place|3.0.2 + references: 2, strongest binding: Example - #01: Pharmacy - #03: School - #04: Homeless Shelter @@ -30719,19 +31118,23 @@ Value Sets: 1082 (unversioned) - #21: Inpatient Hospital - #41: Ambulance—Land - ValueSet: http://hl7.org/fhir/ValueSet/service-product|3.0.2 + references: 0, strongest binding: - #exam: Exam - #flushot: Flu shot - ValueSet: http://hl7.org/fhir/ValueSet/service-provision-conditions|3.0.2 + references: 1, strongest binding: Example - #cost: Fees apply - #disc: Discounts Available - #free: Free - ValueSet: http://hl7.org/fhir/ValueSet/service-referral-method|3.0.2 + references: 1, strongest binding: Example - #elec: Secure Messaging - #fax: Fax - #mail: Mail - #phone: Phone - #semail: Secure Email - ValueSet: http://hl7.org/fhir/ValueSet/service-type|3.0.2 + references: 4, strongest binding: Example - #1: Adoption/Permanent Care Info/Support - #10: Personal Alarms/Alerts - #100: Disability Information/Referral @@ -31329,6 +31732,7 @@ Value Sets: 1082 (unversioned) - #98: Disability Case Management - #99: Disability Day Programs/Activities - ValueSet: http://hl7.org/fhir/ValueSet/service-uscls|3.0.2 + references: 10, strongest binding: Example - #1101: Exam, comp, primary - #1102: Exam, comp, mixed - #1103: Exam, comp, permanent @@ -31350,6 +31754,7 @@ Value Sets: 1082 (unversioned) - #99333: Lab, in office - #99555: Expense - ValueSet: http://hl7.org/fhir/ValueSet/sibling-relationship-codes|3.0.2 + references: 0, strongest binding: - #BRO: brother - #FTWIN: fraternal twin - #FTWINBRO: fraternal twin brother @@ -31372,6 +31777,7 @@ Value Sets: 1082 (unversioned) - #TWINBRO: twin brother - #TWINSIS: twin sister - ValueSet: http://hl7.org/fhir/ValueSet/signature-type|3.0.2 + references: 1, strongest binding: Preferred - #1.2.840.10065.1.12.1.1: Author's Signature - #1.2.840.10065.1.12.1.10: Identity Witness Signature - #1.2.840.10065.1.12.1.11: Consent Witness Signature @@ -31391,12 +31797,14 @@ Value Sets: 1082 (unversioned) - #1.2.840.10065.1.12.1.8: Signature Witness Signature - #1.2.840.10065.1.12.1.9: Event Witness Signature - ValueSet: http://hl7.org/fhir/ValueSet/slotstatus|3.0.2 + references: 1, strongest binding: Required - #busy: Busy - #busy-tentative: Busy (Tentative) - #busy-unavailable: Busy (Unavailable) - #entered-in-error: Entered in error - #free: Free - ValueSet: http://hl7.org/fhir/ValueSet/special-values|3.0.2 + references: 0, strongest binding: - #false: false - #nil-known: Nil Known - #sufficient: Sufficient Quantity @@ -31404,6 +31812,7 @@ Value Sets: 1082 (unversioned) - #true: true - #withdrawn: Value Withdrawn - ValueSet: http://hl7.org/fhir/ValueSet/specification-type|3.0.2 + references: 1, strongest binding: Extensible - #firmware-revision: Firmware Revision - #gmdn: GMDN - #hardware-revision: Hardware Revision @@ -31413,6 +31822,7 @@ Value Sets: 1082 (unversioned) - #software-revision: Software Revision - #unspecified: Unspecified Production Specification - ValueSet: http://hl7.org/fhir/ValueSet/specimen-collection-method|3.0.2 + references: 1, strongest binding: Example - #119295008: Specimen obtained by aspiration - #16404004: Induced - #20255002: Blushing @@ -31469,6 +31879,7 @@ Value Sets: 1082 (unversioned) - #VENIP: Venipuncture - #WOOD: Swab, Wooden Shaft - ValueSet: http://hl7.org/fhir/ValueSet/specimen-collection-priority|3.0.2 + references: 0, strongest binding: - #1: STAT - #2: ASAP - #3: ASAP-ED @@ -31477,6 +31888,7 @@ Value Sets: 1082 (unversioned) - #6: NURSE COLLECT - #7: CALL OR FAX - ValueSet: http://hl7.org/fhir/ValueSet/specimen-processing-procedure|3.0.2 + references: 1, strongest binding: Example - #ACID: Acidification - #ALK: Alkalization - #DEFB: Defibrination @@ -31486,30 +31898,36 @@ Value Sets: 1082 (unversioned) - #RECA: Recalification - #UFIL: Ultrafiltration - ValueSet: http://hl7.org/fhir/ValueSet/specimen-status|3.0.2 + references: 1, strongest binding: Required - #available: Available - #entered-in-error: Entered-in-error - #unavailable: Unavailable - #unsatisfactory: Unsatisfactory - ValueSet: http://hl7.org/fhir/ValueSet/structure-definition-kind|3.0.2 + references: 1, strongest binding: Required - #complex-type: Complex Data Type - #logical: Logical Model - #primitive-type: Primitive Data Type - #resource: Resource - ValueSet: http://hl7.org/fhir/ValueSet/subscription-channel-type|3.0.2 + references: 1, strongest binding: Required - #email: Email - #message: Message - #rest-hook: Rest Hook - #sms: SMS - #websocket: Websocket - ValueSet: http://hl7.org/fhir/ValueSet/subscription-status|3.0.2 + references: 1, strongest binding: Required - #active: Active - #error: Error - #off: Off - #requested: Requested - ValueSet: http://hl7.org/fhir/ValueSet/subscription-tag|3.0.2 + references: 1, strongest binding: Example - #delivered: Delivered - #queued: Queued - ValueSet: http://hl7.org/fhir/ValueSet/substance-category|3.0.2 + references: 1, strongest binding: Extensible - #allergen: Allergen - #biological: Biological Substance - #body: Body Substance @@ -31518,10 +31936,12 @@ Value Sets: 1082 (unversioned) - #food: Dietary Substance - #material: Material - ValueSet: http://hl7.org/fhir/ValueSet/substance-status|3.0.2 + references: 1, strongest binding: Required - #active: Active - #entered-in-error: Entered in Error - #inactive: Inactive - ValueSet: http://hl7.org/fhir/ValueSet/supplement-type|3.0.2 + references: 1, strongest binding: Example - #441531000124102: Standard Enteral Formula - #441561000124106: Standard enteral formula with fiber - #441571000124104: High energy enteral formula with fiber @@ -31568,20 +31988,25 @@ Value Sets: 1082 (unversioned) - #444401000124107: Frozen electrolyte replacement supplement - #444431000124104: Pediatric reduced energy formula - ValueSet: http://hl7.org/fhir/ValueSet/supplydelivery-status|3.0.2 + references: 1, strongest binding: Required - #abandoned: Abandoned - #completed: Delivered - #entered-in-error: Entered In Error - #in-progress: In Progress - ValueSet: http://hl7.org/fhir/ValueSet/supplydelivery-type|3.0.2 + references: 1, strongest binding: Required - #device: Device - #medication: Medication - ValueSet: http://hl7.org/fhir/ValueSet/supplyrequest-kind|3.0.2 + references: 1, strongest binding: Example - #central: Central Supply - #nonstock: Non-Stock - ValueSet: http://hl7.org/fhir/ValueSet/supplyrequest-reason|3.0.2 + references: 1, strongest binding: Example - #patient-care: Patient Care - #ward-stock: Ward Stock - ValueSet: http://hl7.org/fhir/ValueSet/supplyrequest-status|3.0.2 + references: 1, strongest binding: Required - #active: Active - #cancelled: Cancelled - #completed: Completed @@ -31590,6 +32015,7 @@ Value Sets: 1082 (unversioned) - #suspended: Suspended - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/surface|3.0.2 + references: 2, strongest binding: Example - #B: Buccal - #D: Distal - #DI: Distoincisal @@ -31602,15 +32028,18 @@ Value Sets: 1082 (unversioned) - #O: Occlusal - #V: Ventral - ValueSet: http://hl7.org/fhir/ValueSet/system-restful-interaction|3.0.2 + references: 1, strongest binding: Required - #batch: batch - #history-system: history-system - #search-system: search-system - #transaction: transaction - ValueSet: http://hl7.org/fhir/ValueSet/system-version-processing-mode|3.0.2 + references: 1, strongest binding: Required - #check: Check ValueSet Version - #default: Default Version - #override: Override ValueSet Version - ValueSet: http://hl7.org/fhir/ValueSet/task-performer-type|3.0.2 + references: 1, strongest binding: Preferred - #acquirer: Acquirer - #dispatcher: Dispatcher - #manager: Manager @@ -31620,6 +32049,7 @@ Value Sets: 1082 (unversioned) - #reviewer: Reviewer - #scheduler: Scheduler - ValueSet: http://hl7.org/fhir/ValueSet/task-status|3.0.2 + references: 1, strongest binding: Required - #accepted: Accepted - #cancelled: Cancelled - #completed: Completed @@ -31633,6 +32063,7 @@ Value Sets: 1082 (unversioned) - #rejected: Rejected - #requested: Requested - ValueSet: http://hl7.org/fhir/ValueSet/teeth|3.0.2 + references: 0, strongest binding: - #11: 11 - #12: 12 - #13: 13 @@ -31666,6 +32097,7 @@ Value Sets: 1082 (unversioned) - #47: 47 - #48: 48 - ValueSet: http://hl7.org/fhir/ValueSet/template-status-code|3.0.2 + references: 0, strongest binding: - #active: Active - #cancelled: Cancelled - #draft: Draft @@ -31675,6 +32107,7 @@ Value Sets: 1082 (unversioned) - #review: In Review - #terminated: Terminated - ValueSet: http://hl7.org/fhir/ValueSet/testscript-operation-codes|3.0.2 + references: 1, strongest binding: Extensible - #apply: $apply - #batch: Batch - #cancel: $cancel @@ -31729,14 +32162,17 @@ Value Sets: 1082 (unversioned) - #validate-code: $validate-code - #vread: Version Read - ValueSet: http://hl7.org/fhir/ValueSet/testscript-profile-destination-types|3.0.2 + references: 1, strongest binding: Extensible - #FHIR-SDC-FormManager: FHIR SDC FormManager - #FHIR-SDC-FormProcessor: FHIR SDC FormProcessor - #FHIR-SDC-FormReceiver: FHIR SDC FormReceiver - #FHIR-Server: FHIR Server - ValueSet: http://hl7.org/fhir/ValueSet/testscript-profile-origin-types|3.0.2 + references: 1, strongest binding: Extensible - #FHIR-Client: FHIR Client - #FHIR-SDC-FormFiller: FHIR SDC FormFiller - ValueSet: http://hl7.org/fhir/ValueSet/texture-code|3.0.2 + references: 1, strongest binding: Example - #228049004: Chopped food - #228053002: Cut-up food - #228055009: Liquidized food @@ -31752,6 +32188,7 @@ Value Sets: 1082 (unversioned) - #441791000124106: Strained food - #441881000124103: Ground food - ValueSet: http://hl7.org/fhir/ValueSet/timing-abbreviation|3.0.2 + references: 1, strongest binding: Preferred - #AM: AM - #BID: BID - #PM: PM @@ -31762,6 +32199,7 @@ Value Sets: 1082 (unversioned) - #QOD: QOD - #TID: TID - ValueSet: http://hl7.org/fhir/ValueSet/tooth|3.0.2 + references: 2, strongest binding: Example - #0: Oral cavity - #1: 1 - #11: 11 @@ -31804,11 +32242,13 @@ Value Sets: 1082 (unversioned) - #7: 7 - #8: 8 - ValueSet: http://hl7.org/fhir/ValueSet/transaction-mode|3.0.2 + references: 0, strongest binding: - #batch: Batches supported - #both: Batches & Transactions - #not-supported: None - #transaction: Transactions Supported - ValueSet: http://hl7.org/fhir/ValueSet/trigger-type|3.0.2 + references: 1, strongest binding: Required - #data-accessed: Data Accessed - #data-access-ended: Data Access Ended - #data-added: Data Added @@ -31817,9 +32257,11 @@ Value Sets: 1082 (unversioned) - #named-event: Named Event - #periodic: Periodic - ValueSet: http://hl7.org/fhir/ValueSet/type-derivation-rule|3.0.2 + references: 1, strongest binding: Required - #constraint: Constraint - #specialization: Specialization - ValueSet: http://hl7.org/fhir/ValueSet/type-restful-interaction|3.0.2 + references: 1, strongest binding: Required - #create: create - #delete: delete - #history-instance: history-instance @@ -31830,16 +32272,20 @@ Value Sets: 1082 (unversioned) - #update: update - #vread: vread - ValueSet: http://hl7.org/fhir/ValueSet/ucum-bodylength|3.0.2 + references: 0, strongest binding: - #[in_i]: - #cm: - ValueSet: http://hl7.org/fhir/ValueSet/ucum-bodytemp|3.0.2 + references: 0, strongest binding: - #[degF]: - #Cel: - ValueSet: http://hl7.org/fhir/ValueSet/ucum-bodyweight|3.0.2 + references: 0, strongest binding: - #[lb_av]: - #g: - #kg: - ValueSet: http://hl7.org/fhir/ValueSet/ucum-vitals-common|3.0.2 + references: 0, strongest binding: - #%: percent - #/min: per minute - #[degF]: degree Fahrenheit @@ -31853,8 +32299,10 @@ Value Sets: 1082 (unversioned) - #m2: square meter - #mm[Hg]: millimeter of mercury - ValueSet: http://hl7.org/fhir/ValueSet/udi|3.0.2 + references: 0, strongest binding: - #gudid: GUDID (FDA) - ValueSet: http://hl7.org/fhir/ValueSet/udi-entry-type|3.0.2 + references: 1, strongest binding: Required - #barcode: BarCode - #card: Card - #manual: Manual @@ -31862,6 +32310,7 @@ Value Sets: 1082 (unversioned) - #self-reported: Self Reported - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/units-of-time|3.0.2 + references: 2, strongest binding: Required - #a: year - #d: day - #h: hour @@ -31870,11 +32319,13 @@ Value Sets: 1082 (unversioned) - #s: second - #wk: week - ValueSet: http://hl7.org/fhir/ValueSet/unknown-content-code|3.0.2 + references: 1, strongest binding: Required - #both: Unknown Elements and Extensions - #elements: Unknown Elements - #extensions: Unknown Extensions - #no: Neither Elements or Extensions - ValueSet: http://hl7.org/fhir/ValueSet/usage-context-type|3.0.2 + references: 1, strongest binding: Extensible - #age: Age Range - #focus: Clinical Focus - #gender: Gender @@ -31884,6 +32335,7 @@ Value Sets: 1082 (unversioned) - #venue: Clinical Venue - #workflow: Workflow Setting - ValueSet: http://hl7.org/fhir/ValueSet/usps-state|3.0.2 + references: 0, strongest binding: - #AK: Alaska - #AL: Alabama - #AR: Arkansas @@ -31945,6 +32397,7 @@ Value Sets: 1082 (unversioned) - #WV: West Virginia - #WY: Wyoming - ValueSet: http://hl7.org/fhir/ValueSet/v2-0001|2.8.2 + references: 0, strongest binding: - #A: Ambiguous - #F: Female - #M: Male @@ -31952,6 +32405,7 @@ Value Sets: 1082 (unversioned) - #O: Other - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0002|2.8.2 + references: 0, strongest binding: - #A: Separated - #B: Unmarried - #C: Common law @@ -31969,6 +32423,7 @@ Value Sets: 1082 (unversioned) - #U: Unknown - #W: Widowed - ValueSet: http://hl7.org/fhir/ValueSet/v2-0003|2.8.2 + references: 0, strongest binding: - #A01: ADT/ACK - Admit/visit notification - #A02: ADT/ACK - Transfer a patient - #A03: ADT/ACK - Discharge/end visit @@ -32324,6 +32779,7 @@ Value Sets: 1082 (unversioned) - #W02: QRF - Waveform result, response to query - #X01: PEX - Product experience - ValueSet: http://hl7.org/fhir/ValueSet/v2-0004|2.8.2 + references: 0, strongest binding: - #B: Obstetrics - #C: Commercial Account - #E: Emergency @@ -32334,6 +32790,7 @@ Value Sets: 1082 (unversioned) - #R: Recurring patient - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0005|2.8.2 + references: 0, strongest binding: - #1002-5: American Indian or Alaska Native - #2028-9: Asian - #2054-5: Black or African American @@ -32341,6 +32798,7 @@ Value Sets: 1082 (unversioned) - #2106-3: White - #2131-1: Other Race - ValueSet: http://hl7.org/fhir/ValueSet/v2-0007|2.8.2 + references: 0, strongest binding: - #A: Accident - #C: Elective - #E: Emergency @@ -32349,6 +32807,7 @@ Value Sets: 1082 (unversioned) - #R: Routine - #U: Urgent - ValueSet: http://hl7.org/fhir/ValueSet/v2-0008|2.8.2 + references: 0, strongest binding: - #AA: Original mode: Application Accept - Enhanced mode: Application acknowledgment: Accept - #AE: Original mode: Application Error - Enhanced mode: Application acknowledgment: Error - #AR: Original mode: Application Reject - Enhanced mode: Application acknowledgment: Reject @@ -32356,6 +32815,7 @@ Value Sets: 1082 (unversioned) - #CE: Enhanced mode: Accept acknowledgment: Commit Error - #CR: Enhanced mode: Accept acknowledgment: Commit Reject - ValueSet: http://hl7.org/fhir/ValueSet/v2-0009|2.8.2 + references: 0, strongest binding: - #A0: No functional limitations - #A1: Ambulates with assistive device - #A2: Wheelchair/stretcher bound @@ -32373,15 +32833,18 @@ Value Sets: 1082 (unversioned) - #B5: Paraplegic - #B6: Pregnant - ValueSet: http://hl7.org/fhir/ValueSet/v2-0012|2.8.2 + references: 0, strongest binding: - #AN: Filled from ancillary department stock - #FL: Filled from floor stock - ValueSet: http://hl7.org/fhir/ValueSet/v2-0017|2.8.2 + references: 0, strongest binding: - #AJ: Adjustment - #CD: Credit - #CG: Charge - #CO: Co-payment - #PY: Payment - ValueSet: http://hl7.org/fhir/ValueSet/v2-0023|2.8.2 + references: 0, strongest binding: - #...: No suggested values defined - #1: Physician referral - #2: Clinic referral @@ -32393,12 +32856,14 @@ Value Sets: 1082 (unversioned) - #8: Court/law enforcement - #9: Information not available - ValueSet: http://hl7.org/fhir/ValueSet/v2-0027|2.8.2 + references: 0, strongest binding: - #A: As soon as possible (a priority lower than stat) - #P: Preoperative (to be done prior to surgery) - #R: Routine - #S: Stat (do immediately) - #T: Timing critical (do as near as possible to requested time) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0033|2.8.2 + references: 0, strongest binding: - #AP: Apply externally - #CH: Chew - #DU: Dust @@ -32428,9 +32893,11 @@ Value Sets: 1082 (unversioned) - #WA: Wash - #WI: Wipe - ValueSet: http://hl7.org/fhir/ValueSet/v2-0034|2.8.2 + references: 0, strongest binding: - #B: Buttock - #L: Left arm - ValueSet: http://hl7.org/fhir/ValueSet/v2-0038|2.8.2 + references: 0, strongest binding: - #A: Some, but not all, results available - #CA: Order was canceled - #CM: Order is completed @@ -32441,6 +32908,7 @@ Value Sets: 1082 (unversioned) - #RP: Order has been replaced - #SC: In process, scheduled - ValueSet: http://hl7.org/fhir/ValueSet/v2-0043|2.8.2 + references: 0, strongest binding: - #...: No suggested values defined - #01: Military service related - #02: Condition is employment related @@ -32500,6 +32968,7 @@ Value Sets: 1082 (unversioned) - #79: Corf services provided off-site - #80: Pregnant - ValueSet: http://hl7.org/fhir/ValueSet/v2-0048|2.8.2 + references: 0, strongest binding: - #ADV: Advice/diagnosis - #ANU: Nursing unit lookup (returns patients in beds, excluding empty beds) - #APA: Account number query, return matching visit @@ -32539,22 +33008,26 @@ Value Sets: 1082 (unversioned) - #VXI: Vaccine Information - #XID: Get cross-referenced identifiers - ValueSet: http://hl7.org/fhir/ValueSet/v2-0052|2.8.2 + references: 0, strongest binding: - #A: Admitting - #F: Final - #W: Working - ValueSet: http://hl7.org/fhir/ValueSet/v2-0061|2.8.2 + references: 0, strongest binding: - #BCV: Bank Card Validation Number - #ISO: ISO 7064: 1983 - #M10: Mod 10 algorithm - #M11: Mod 11 algorithm - #NPI: Check digit algorithm in the US National Provider Identifier - ValueSet: http://hl7.org/fhir/ValueSet/v2-0062|2.8.2 + references: 0, strongest binding: - #01: Patient request - #02: Physician/health practitioner order - #03: Census management - #O: Other - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0063|2.8.2 + references: 0, strongest binding: - #ASC: Associate - #BRO: Brother - #CGV: Care giver @@ -32588,6 +33061,7 @@ Value Sets: 1082 (unversioned) - #UNK: Unknown - #WRD: Ward of court - ValueSet: http://hl7.org/fhir/ValueSet/v2-0065|2.8.2 + references: 0, strongest binding: - #A: Add ordered tests to the existing specimen - #C: Cancel order for battery or tests named - #G: Generated order; reflex order @@ -32597,6 +33071,7 @@ Value Sets: 1082 (unversioned) - #R: Revised order - #S: Schedule the tests specified below - ValueSet: http://hl7.org/fhir/ValueSet/v2-0066|2.8.2 + references: 0, strongest binding: - #...: see chapter 6 - #1: Full time employed - #2: Part time employed @@ -32613,12 +33088,14 @@ Value Sets: 1082 (unversioned) - #P: Part Time - #T: Temporarily unemployed - ValueSet: http://hl7.org/fhir/ValueSet/v2-0069|2.8.2 + references: 0, strongest binding: - #CAR: Cardiac Service - #MED: Medical Service - #PUL: Pulmonary Service - #SUR: Surgical Service - #URO: Urology Service - ValueSet: http://hl7.org/fhir/ValueSet/v2-0070|2.8.2 + references: 0, strongest binding: - #ABLD: Arterial blood - #ABS: Abscess - #AMN: Amniotic fluid @@ -32757,6 +33234,7 @@ Value Sets: 1082 (unversioned) - #WNDE: Wound exudate - #XXX: To be specified in another part of the message - ValueSet: http://hl7.org/fhir/ValueSet/v2-0074|2.8.2 + references: 0, strongest binding: - #AU: Audiology - #BG: Blood Gases - #BLB: Blood Bank @@ -32803,6 +33281,7 @@ Value Sets: 1082 (unversioned) - #VUS: Vascular Ultrasound - #XRC: Cineradiograph - ValueSet: http://hl7.org/fhir/ValueSet/v2-0076|2.8.2 + references: 0, strongest binding: - #ACK: General acknowledgment message - #ADR: ADT response - #ADT: ADT message @@ -32962,6 +33441,7 @@ Value Sets: 1082 (unversioned) - #VXU: Unsolicited vaccination record update - #VXX: Response for vaccination query with multiple PID matches - ValueSet: http://hl7.org/fhir/ValueSet/v2-0078|2.8.2 + references: 0, strongest binding: - #<: Off scale low - #>: Off scale high - #A: Abnormal @@ -33002,6 +33482,7 @@ Value Sets: 1082 (unversioned) - #W: Worse - #WR: Weakly reactive - ValueSet: http://hl7.org/fhir/ValueSet/v2-0080|2.8.2 + references: 0, strongest binding: - #A: An age-based population - #B: Breed - #N: None - generic normal range @@ -33010,9 +33491,11 @@ Value Sets: 1082 (unversioned) - #SP: Species - #ST: Strain - ValueSet: http://hl7.org/fhir/ValueSet/v2-0083|2.8.2 + references: 0, strongest binding: - #C: Outlier cost - #D: Outlier days - ValueSet: http://hl7.org/fhir/ValueSet/v2-0085|2.8.2 + references: 0, strongest binding: - #A: Amended based on adjustments provided by the Placer (Physician) regarding patient demographics (such as age and/or gender or other patient specific information - #B: Appended Report - Final results reviewed and further information provided for clarity without change to the original result values. - #C: Record coming over is a correction and thus replaces a final result @@ -33029,28 +33512,35 @@ Value Sets: 1082 (unversioned) - #W: Post original as wrong, e.g. transmitted for wrong patient - #X: Results cannot be obtained for this observation - ValueSet: http://hl7.org/fhir/ValueSet/v2-0091|2.8.2 + references: 0, strongest binding: - #D: Deferred - #I: Immediate - ValueSet: http://hl7.org/fhir/ValueSet/v2-0092|2.8.2 + references: 1, strongest binding: Example - #R: Re-admission - ValueSet: http://hl7.org/fhir/ValueSet/v2-0098|2.8.2 + references: 0, strongest binding: - #M: Maternity - #S: Standard - #U: Unified - ValueSet: http://hl7.org/fhir/ValueSet/v2-0100|2.8.2 + references: 0, strongest binding: - #D: On discharge - #O: On receipt of order - #R: At time service is completed - #S: At time service is started - #T: At a designated date/time - ValueSet: http://hl7.org/fhir/ValueSet/v2-0102|2.8.2 + references: 0, strongest binding: - #D: Message received, stored for later processing - #F: acknowledgment after processing - ValueSet: http://hl7.org/fhir/ValueSet/v2-0103|2.8.2 + references: 0, strongest binding: - #D: Debugging - #P: Production - #T: Training - ValueSet: http://hl7.org/fhir/ValueSet/v2-0104|2.8.2 + references: 0, strongest binding: - #2.0: Release 2.0 - #2.0D: Demo 2.0 - #2.1: Release 2.1 @@ -33067,25 +33557,31 @@ Value Sets: 1082 (unversioned) - #2.8: Release 2.8 - #2.8.1: Release 2.8.1 - ValueSet: http://hl7.org/fhir/ValueSet/v2-0105|2.8.2 + references: 0, strongest binding: - #L: Ancillary (filler) department is source of comment - #O: Other system is source of comment - #P: Orderer (placer) is source of comment - ValueSet: http://hl7.org/fhir/ValueSet/v2-0106|2.8.2 + references: 0, strongest binding: - #D: Response is in display format - #R: Response is in record-oriented format - #T: Response is in tabular format - ValueSet: http://hl7.org/fhir/ValueSet/v2-0107|2.8.2 + references: 0, strongest binding: - #B: Before the Date/Time specified - #L: Later than the Date/Time specified - ValueSet: http://hl7.org/fhir/ValueSet/v2-0108|2.8.2 + references: 0, strongest binding: - #O: Order plus order status - #R: Results without bulk text - #S: Status only - #T: Full results - ValueSet: http://hl7.org/fhir/ValueSet/v2-0109|2.8.2 + references: 0, strongest binding: - #R: Routine - #S: Stat - ValueSet: http://hl7.org/fhir/ValueSet/v2-0116|2.8.2 + references: 1, strongest binding: Preferred - #C: Closed - #H: Housekeeping - #I: Isolated @@ -33093,6 +33589,7 @@ Value Sets: 1082 (unversioned) - #O: Occupied - #U: Unoccupied - ValueSet: http://hl7.org/fhir/ValueSet/v2-0119|2.8.2 + references: 0, strongest binding: - #AF: Order/service refill request approval - #CA: Cancel order/service request - #CH: Child order/service @@ -33146,12 +33643,14 @@ Value Sets: 1082 (unversioned) - #XR: Changed as requested - #XX: Order/service changed, unsol. - ValueSet: http://hl7.org/fhir/ValueSet/v2-0121|2.8.2 + references: 0, strongest binding: - #D: Same as R, also other associated segments - #E: Report exceptions only - #F: Same as D, plus confirmations explicitly - #N: Only the MSA segment is returned - #R: Same as E, also Replacement and Parent-Child - ValueSet: http://hl7.org/fhir/ValueSet/v2-0122|2.8.2 + references: 0, strongest binding: - #CH: Charge - #CO: Contract - #CR: Credit @@ -33161,6 +33660,7 @@ Value Sets: 1082 (unversioned) - #PC: Professional - #RS: Research - ValueSet: http://hl7.org/fhir/ValueSet/v2-0123|2.8.2 + references: 0, strongest binding: - #A: Some, but not all, results available - #C: Correction to results - #F: Final results; results stored and verified. Can only be changed with a corrected result. @@ -33173,11 +33673,13 @@ Value Sets: 1082 (unversioned) - #Y: No order on record for this test. (Used only on queries) - #Z: No record of this patient. (Used only on queries) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0124|2.8.2 + references: 0, strongest binding: - #CART: Cart - patient travels on cart or gurney - #PORT: The examining device goes to patient's location - #WALK: Patient walks to diagnostic service - #WHLC: Wheelchair - ValueSet: http://hl7.org/fhir/ValueSet/v2-0125|2.8.2 + references: 0, strongest binding: - #AD: Address - #AUI: Authorization information - #CCD: Charge code and date @@ -33269,12 +33771,14 @@ Value Sets: 1082 (unversioned) - #XPN: Extended person name - #XTN: Extended telecommunications number - ValueSet: http://hl7.org/fhir/ValueSet/v2-0126|2.8.2 + references: 0, strongest binding: - #CH: Characters - #LI: Lines - #PG: Pages - #RD: Records - #ZO: Locally defined - ValueSet: http://hl7.org/fhir/ValueSet/v2-0127|2.8.2 + references: 0, strongest binding: - #AA: Animal Allergy - #DA: Drug allergy - #EA: Environmental Allergy @@ -33284,16 +33788,19 @@ Value Sets: 1082 (unversioned) - #MC: Miscellaneous contraindication - #PA: Plant Allergy - ValueSet: http://hl7.org/fhir/ValueSet/v2-0128|2.8.2 + references: 0, strongest binding: - #MI: Mild - #MO: Moderate - #SV: Severe - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0130|2.8.2 + references: 0, strongest binding: - #HO: Home - #MO: Mobile Unit - #PH: Phone - #TE: Teaching - ValueSet: http://hl7.org/fhir/ValueSet/v2-0131|2.8.2 + references: 1, strongest binding: Extensible - #BP: Billing contact person - #C: Emergency Contact - #CP: Contact person @@ -33307,6 +33814,7 @@ Value Sets: 1082 (unversioned) - #S: State Agency - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0133|2.8.2 + references: 0, strongest binding: - #AN: Anesthesiologist/Anesthetist - #AS: Assistant Surgeon - #CM: Certified Nurse Midwife @@ -33317,19 +33825,23 @@ Value Sets: 1082 (unversioned) - #RS: Resident - #SN: Scrub Nurse - ValueSet: http://hl7.org/fhir/ValueSet/v2-0135|2.8.2 + references: 0, strongest binding: - #M: Modified assignment - #N: No - #Y: Yes - ValueSet: http://hl7.org/fhir/ValueSet/v2-0136|2.8.2 + references: 0, strongest binding: - #N: No - #Y: Yes - ValueSet: http://hl7.org/fhir/ValueSet/v2-0137|2.8.2 + references: 0, strongest binding: - #E: Employer - #G: Guarantor - #I: Insurance company - #O: Other - #P: Patient - ValueSet: http://hl7.org/fhir/ValueSet/v2-0140|2.8.2 + references: 0, strongest binding: - #AUSA: Australian Army - #AUSAF: Australian Air Force - #AUSN: Australian Navy @@ -33342,16 +33854,19 @@ Value Sets: 1082 (unversioned) - #USN: US Navy - #USPHS: US Public Health Service - ValueSet: http://hl7.org/fhir/ValueSet/v2-0141|2.8.2 + references: 0, strongest binding: - #E1 ... E9: Enlisted - #E1... E9: Enlisted - #O1 ... O10: Officers - #O1 ... O9: Officers - #W1 ... W4: Warrant Officers - ValueSet: http://hl7.org/fhir/ValueSet/v2-0142|2.8.2 + references: 0, strongest binding: - #ACT: Active duty - #DEC: Deceased - #RET: Retired - ValueSet: http://hl7.org/fhir/ValueSet/v2-0144|2.8.2 + references: 0, strongest binding: - #1: Insurance company - #2: Employer - #3: Insured presented policy @@ -33360,6 +33875,7 @@ Value Sets: 1082 (unversioned) - #6: Verbal information - #7: None - ValueSet: http://hl7.org/fhir/ValueSet/v2-0145|2.8.2 + references: 0, strongest binding: - #2ICU: Second intensive care unit - #2PRI: Second private room - #2SPR: Second semi-private room @@ -33367,30 +33883,36 @@ Value Sets: 1082 (unversioned) - #PRI: Private room - #SPR: Semi-private room - ValueSet: http://hl7.org/fhir/ValueSet/v2-0146|2.8.2 + references: 0, strongest binding: - #DF: Differential - #LM: Limit - #PC: Percentage - #RT: Rate - #UL: Unlimited - ValueSet: http://hl7.org/fhir/ValueSet/v2-0147|2.8.2 + references: 0, strongest binding: - #2ANC: Second ancillary - #2MMD: Second major medical - #3MMD: Third major medical - #ANC: Ancillary - #MMD: Major medical - ValueSet: http://hl7.org/fhir/ValueSet/v2-0148|2.8.2 + references: 0, strongest binding: - #AT: Currency amount - #PC: Percentage - ValueSet: http://hl7.org/fhir/ValueSet/v2-0149|2.8.2 + references: 0, strongest binding: - #AP: Approved - #DE: Denied - #PE: Pending - ValueSet: http://hl7.org/fhir/ValueSet/v2-0150|2.8.2 + references: 0, strongest binding: - #ER: Emergency - #IPE: Inpatient elective - #OPE: Outpatient elective - #UR: Urgent - ValueSet: http://hl7.org/fhir/ValueSet/v2-0153|2.8.2 + references: 0, strongest binding: - #...: See NUBC codes - #…: See NUBC codes - #01: Most common semi-private rate @@ -33456,11 +33978,13 @@ Value Sets: 1082 (unversioned) - #X0: Service excluded on primary policy - #X4: Supplemental coverage - ValueSet: http://hl7.org/fhir/ValueSet/v2-0155|2.8.2 + references: 0, strongest binding: - #AL: Always - #ER: Error/reject conditions only - #NE: Never - #SU: Successful completion only - ValueSet: http://hl7.org/fhir/ValueSet/v2-0156|2.8.2 + references: 0, strongest binding: - #ANY: Any date/time within a range - #CAN: Cancellation date/time - #COL: Collection date/time, equivalent to film or sample collection date/time @@ -33469,6 +33993,7 @@ Value Sets: 1082 (unversioned) - #REP: Report date/time, report date/time at filling ancillary (i.e., Lab) - #SCHED: Schedule date/time - ValueSet: http://hl7.org/fhir/ValueSet/v2-0157|2.8.2 + references: 0, strongest binding: - #ANY: Any status - #CFN: Current final value, whether final or corrected - #COR: Corrected only (no final with corrections) @@ -33476,25 +34001,30 @@ Value Sets: 1082 (unversioned) - #PRE: Preliminary - #REP: Report completion date/time - ValueSet: http://hl7.org/fhir/ValueSet/v2-0158|2.8.2 + references: 0, strongest binding: - #1ST: First value within range - #ALL: All values within the range - #LST: Last value within the range - #REV: All values within the range returned in reverse chronological order (This is the default if not otherwise specified.) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0159|2.8.2 + references: 0, strongest binding: - #D: Diet - #P: Preference - #S: Supplement - ValueSet: http://hl7.org/fhir/ValueSet/v2-0160|2.8.2 + references: 0, strongest binding: - #EARLY: Early tray - #GUEST: Guest tray - #LATE: Late tray - #MSG: Tray message only - #NO: No tray - ValueSet: http://hl7.org/fhir/ValueSet/v2-0161|2.8.2 + references: 0, strongest binding: - #G: Allow generic substitutions. - #N: Substitutions are NOT authorized. (This is the default - null.) - #T: Allow therapeutic substitutions - ValueSet: http://hl7.org/fhir/ValueSet/v2-0162|2.8.2 + references: 0, strongest binding: - #AP: Apply Externally - #B: Buccal - #DT: Dental @@ -33543,6 +34073,7 @@ Value Sets: 1082 (unversioned) - #VM: Ventimask - #WND: Wound - ValueSet: http://hl7.org/fhir/ValueSet/v2-0163|2.8.2 + references: 0, strongest binding: - #BE: Bilateral Ears - #BN: Bilateral Nares - #BU: Buttock @@ -33600,6 +34131,7 @@ Value Sets: 1082 (unversioned) - #RVG: Right Ventragluteal - #RVL: Right Vastus Lateralis - ValueSet: http://hl7.org/fhir/ValueSet/v2-0164|2.8.2 + references: 0, strongest binding: - #AP: Applicator - #BT: Buretrol - #HL: Heparin Lock @@ -33610,6 +34142,7 @@ Value Sets: 1082 (unversioned) - #NEB: Nebulizer - #PCA: PCA Pump - ValueSet: http://hl7.org/fhir/ValueSet/v2-0165|2.8.2 + references: 0, strongest binding: - #CH: Chew - #DI: Dissolve - #DU: Dust @@ -33626,9 +34159,11 @@ Value Sets: 1082 (unversioned) - #WA: Wash - #WI: Wipe - ValueSet: http://hl7.org/fhir/ValueSet/v2-0166|2.8.2 + references: 0, strongest binding: - #A: Additive - #B: Base - ValueSet: http://hl7.org/fhir/ValueSet/v2-0167|2.8.2 + references: 0, strongest binding: - #0: No product selection indicated - #1: Substitution not allowed by prescriber - #2: Substitution allowed - patient requested product dispensed @@ -33641,6 +34176,7 @@ Value Sets: 1082 (unversioned) - #N: No substitute was dispensed. This is equivalent to the default (null) value. - #T: A therapeutic substitution was dispensed. - ValueSet: http://hl7.org/fhir/ValueSet/v2-0168|2.8.2 + references: 0, strongest binding: - #A: As soon as possible (a priority lower than stat) - #B: Do at bedside or portable (may be used with other codes) - #C: Measure continuously (e.g. arterial line blood pressure) @@ -33649,22 +34185,27 @@ Value Sets: 1082 (unversioned) - #S: Stat (do immediately) - #T: Timing critical (do as near as possible to requested time) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0169|2.8.2 + references: 0, strongest binding: - #C: Call back results - #R: Rush reporting - ValueSet: http://hl7.org/fhir/ValueSet/v2-0170|2.8.2 + references: 0, strongest binding: - #C: Child Observation - #N: Not Applicable - #P: Parent Observation - ValueSet: http://hl7.org/fhir/ValueSet/v2-0173|2.8.2 + references: 0, strongest binding: - #CO: Coordination - #IN: Independent - ValueSet: http://hl7.org/fhir/ValueSet/v2-0174|2.8.2 + references: 0, strongest binding: - #A: Atomic service/test/observation (test code or treatment code) - #C: Single observation calculated via a rule or formula from other independent observations (e.g. Alveolar-arterial ratio, cardiac output) - #F: Functional procedure that may consist of one or more interrelated measures (e.g. glucose tolerance test, creatinine clearance), usually done at different times and/or on different specimens - #P: Profile or battery consisting of many independent atomic observations (e.g. SMA12, electrolytes), usually done at one instrument on one specimen - #S: Superset-a set of batteries or procedures ordered under a single code unit but processed as separate batteries (e.g. routines = CBC, UA, electrolytes)

This set indicates that the code being described is used to order multiple service/test/observation b - ValueSet: http://hl7.org/fhir/ValueSet/v2-0175|2.8.2 + references: 0, strongest binding: - #CDM: Charge description master file - #CLN: Clinic master file - #CM0: Clinical study master @@ -33692,6 +34233,7 @@ Value Sets: 1082 (unversioned) - #PRA: Practitioner master file - #STF: Staff master file - ValueSet: http://hl7.org/fhir/ValueSet/v2-0177|2.8.2 + references: 0, strongest binding: - #AID: AIDS patient - #EMP: Employee - #ETH: Alcohol/drug treatment patient @@ -33703,26 +34245,32 @@ Value Sets: 1082 (unversioned) - #V: Very restricted - #VIP: Very important person or celebrity - ValueSet: http://hl7.org/fhir/ValueSet/v2-0178|2.8.2 + references: 0, strongest binding: - #REP: Replace current version of this master file with the version contained in this message - #UPD: Change file records as defined in the record-level event codes for each record that follows - ValueSet: http://hl7.org/fhir/ValueSet/v2-0179|2.8.2 + references: 0, strongest binding: - #AL: Always. All MFA segments (whether denoting errors or not) must be returned via the application-level acknowledgment message - #ER: Error/Reject conditions only. Only MFA segments denoting errors must be returned via the application-level acknowledgment for this message - #NE: Never. No application-level response needed - #SU: Success. Only MFA segments denoting success must be returned via the application-level acknowledgment for this message - ValueSet: http://hl7.org/fhir/ValueSet/v2-0180|2.8.2 + references: 0, strongest binding: - #MAC: Reactivate deactivated record - #MAD: Add record to master file - #MDC: Deactivate: discontinue using record in master file, but do not delete from database - #MDL: Delete record from master file - #MUP: Update record for master file - ValueSet: http://hl7.org/fhir/ValueSet/v2-0181|2.8.2 + references: 0, strongest binding: - #S: Successful posting of the record defined by the MFE segment - #U: Unsuccessful posting of the record defined by the MFE segment - ValueSet: http://hl7.org/fhir/ValueSet/v2-0183|2.8.2 + references: 0, strongest binding: - #A: Active Staff - #I: Inactive Staff - ValueSet: http://hl7.org/fhir/ValueSet/v2-0185|2.8.2 + references: 0, strongest binding: - #B: Beeper Number - #C: Cellular Phone Number - #E: E-Mail Address (for backward compatibility) @@ -33730,13 +34278,16 @@ Value Sets: 1082 (unversioned) - #H: Home Phone Number - #O: Office Phone Number - ValueSet: http://hl7.org/fhir/ValueSet/v2-0187|2.8.2 + references: 0, strongest binding: - #I: Institution bills for provider - #P: Provider does own billing - ValueSet: http://hl7.org/fhir/ValueSet/v2-0189|2.8.2 + references: 0, strongest binding: - #H: Hispanic or Latino - #N: Not Hispanic or Latino - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0190|2.8.2 + references: 0, strongest binding: - #B: Firm/Business - #BA: Bad address - #BDL: Birth delivery location (address where birth occurred) @@ -33756,6 +34307,7 @@ Value Sets: 1082 (unversioned) - #TM: Tube Address - #V: Vacation - ValueSet: http://hl7.org/fhir/ValueSet/v2-0191|2.8.2 + references: 0, strongest binding: - #AP: Other application data, typically uninterpreted binary data (HL7 V2.3 and later) - #Application: Other application data, typically uninterpreted binary data (HL7 V2.3 and later) - #AU: Audio data (HL7 V2.3 and later) @@ -33770,11 +34322,13 @@ Value Sets: 1082 (unversioned) - #TEXT: Machine readable text document (HL7 V2.3.1 and later) - #TX: Machine readable text document (HL7 V2.2 only) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0193|2.8.2 + references: 0, strongest binding: - #AT: Amount - #LM: Limit - #PC: Percentage - #UL: Unlimited - ValueSet: http://hl7.org/fhir/ValueSet/v2-0200|2.8.2 + references: 0, strongest binding: - #...: - #A: Assigned - #B: Birth name @@ -33800,6 +34354,7 @@ Value Sets: 1082 (unversioned) - #TEMP: Temporary Name - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0201|2.8.2 + references: 0, strongest binding: - #ASN: Answering Service Number - #BPN: Beeper Number - #EMR: Emergency Number @@ -33810,6 +34365,7 @@ Value Sets: 1082 (unversioned) - #VHN: Vacation Home Number - #WPN: Work Number - ValueSet: http://hl7.org/fhir/ValueSet/v2-0202|2.8.2 + references: 0, strongest binding: - #BP: Beeper - #CP: Cellular or Mobile Phone - #FX: Fax @@ -33821,6 +34377,7 @@ Value Sets: 1082 (unversioned) - #TTY: Teletypewriter - #X.400: X.400 email address - ValueSet: http://hl7.org/fhir/ValueSet/v2-0203|2.8.2 + references: 0, strongest binding: - #ACSN: Accession ID - #AM: American Express - #AMA: American Medical Association Number @@ -33933,11 +34490,13 @@ Value Sets: 1082 (unversioned) - #WP: Work Permit - #XX: Organization identifier - ValueSet: http://hl7.org/fhir/ValueSet/v2-0204|2.8.2 + references: 0, strongest binding: - #A: Alias name - #D: Display name - #L: Legal name - #SL: Stock exchange listing name - ValueSet: http://hl7.org/fhir/ValueSet/v2-0205|2.8.2 + references: 0, strongest binding: - #AP: administrative price or handling fee - #DC: direct unit cost - #IC: indirect unit cost @@ -33946,22 +34505,26 @@ Value Sets: 1082 (unversioned) - #TP: total price - #UP: unit price, may be based on length of procedure or service - ValueSet: http://hl7.org/fhir/ValueSet/v2-0206|2.8.2 + references: 0, strongest binding: - #A: Add/Insert - #D: Delete - #U: Update - #X: No Change - ValueSet: http://hl7.org/fhir/ValueSet/v2-0207|2.8.2 + references: 0, strongest binding: - #A: Archive - #I: Initial load - #Not present: Not present (the default, meaning current processing) - #R: Restore from archive - #T: Current processing, transmitted at intervals (scheduled or on demand) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0208|2.8.2 + references: 0, strongest binding: - #AE: Application error - #AR: Application reject - #NF: No data found, no errors - #OK: Data found, no errors (this is the default) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0209|2.8.2 + references: 0, strongest binding: - #CT: Contains - #EQ: Equal - #GE: Greater than or equal @@ -33971,9 +34534,11 @@ Value Sets: 1082 (unversioned) - #LT: Less than - #NE: Not Equal - ValueSet: http://hl7.org/fhir/ValueSet/v2-0210|2.8.2 + references: 0, strongest binding: - #AND: Default - #OR: - ValueSet: http://hl7.org/fhir/ValueSet/v2-0211|2.8.2 + references: 0, strongest binding: - #8859/1: The printable characters from the ISO 8859/1 Character set - #8859/15: The printable characters from the ISO 8859/15 (Latin-15) - #8859/2: The printable characters from the ISO 8859/2 Character set @@ -34000,28 +34565,34 @@ Value Sets: 1082 (unversioned) - #UNICODE UTF-32: UCS Transformation Format, 32-bit form - #UNICODE UTF-8: UCS Transformation Format, 8-bit form - ValueSet: http://hl7.org/fhir/ValueSet/v2-0213|2.8.2 + references: 0, strongest binding: - #D: The visit is marked for deletion and the user cannot enter new data against it. - #I: The visit is marked inactive and the user cannot enter new data against it. - #P: Marked for purge. User is no longer able to update the visit. - ValueSet: http://hl7.org/fhir/ValueSet/v2-0214|2.8.2 + references: 0, strongest binding: - #CH: Child Health Assistance - #ES: Elective Surgery Program - #FP: Family Planning - #O: Other - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0215|2.8.2 + references: 0, strongest binding: - #F: Family only - #N: No Publicity - #O: Other - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0216|2.8.2 + references: 0, strongest binding: - #AI: Active Inpatient - #DI: Discharged Inpatient - ValueSet: http://hl7.org/fhir/ValueSet/v2-0217|2.8.2 + references: 0, strongest binding: - #1: Emergency - #2: Urgent - #3: Elective - ValueSet: http://hl7.org/fhir/ValueSet/v2-0220|2.8.2 + references: 0, strongest binding: - #A: Alone - #F: Family - #I: Institution @@ -34029,6 +34600,7 @@ Value Sets: 1082 (unversioned) - #S: Spouse Only - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0223|2.8.2 + references: 0, strongest binding: - #C: Small Children Dependent - #CB: Common Bath - #D: Spouse dependent @@ -34038,14 +34610,17 @@ Value Sets: 1082 (unversioned) - #U: Unknown - #WU: Walk up - ValueSet: http://hl7.org/fhir/ValueSet/v2-0224|2.8.2 + references: 0, strongest binding: - #A: Arranged - #N: Not Arranged - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0225|2.8.2 + references: 0, strongest binding: - #N: Not Required - #R: Required - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0227|2.8.2 + references: 0, strongest binding: - #AB: Abbott Laboratories - #AD: Adams Laboratories, Inc. - #ALP: Alpha Therapeutic Corporation @@ -34102,6 +34677,7 @@ Value Sets: 1082 (unversioned) - #WAL: Wyeth-Ayerst - #ZLB: ZLB Behring - ValueSet: http://hl7.org/fhir/ValueSet/v2-0228|2.8.2 + references: 0, strongest binding: - #C: Consultation - #D: Diagnosis - #I: Invasive procedure not classified elsewhere (I.V., catheter, etc.) @@ -34111,24 +34687,29 @@ Value Sets: 1082 (unversioned) - #S: Sign and symptom - #T: Tissue diagnosis - ValueSet: http://hl7.org/fhir/ValueSet/v2-0229|2.8.2 + references: 0, strongest binding: - #...: No suggested values defined - #C: Champus - #G: Managed Care Organization - #M: Medicare - ValueSet: http://hl7.org/fhir/ValueSet/v2-0230|2.8.2 + references: 0, strongest binding: - #A: Anesthesia - #D: Diagnostic procedure - #I: Invasive procedure not classified elsewhere (e.g. IV, catheter, etc.) - #P: Procedure for treatment (therapeutic, including operations) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0231|2.8.2 + references: 0, strongest binding: - #F: Full-time student - #N: Not a student - #P: Part-time student - ValueSet: http://hl7.org/fhir/ValueSet/v2-0232|2.8.2 + references: 0, strongest binding: - #01: Medicare claim status - #02: Medicaid claim status - #03: Name/address change - ValueSet: http://hl7.org/fhir/ValueSet/v2-0234|2.8.2 + references: 0, strongest binding: - #10D: 10 day report - #15D: 15 day report - #30D: 30 day report @@ -34140,6 +34721,7 @@ Value Sets: 1082 (unversioned) - #PD: Periodic - #RQ: Requested information - ValueSet: http://hl7.org/fhir/ValueSet/v2-0235|2.8.2 + references: 0, strongest binding: - #C: Clinical trial - #D: Database/registry/poison control center - #E: Distributor @@ -34151,11 +34733,13 @@ Value Sets: 1082 (unversioned) - #P: Patient - #R: Regulatory agency - ValueSet: http://hl7.org/fhir/ValueSet/v2-0236|2.8.2 + references: 0, strongest binding: - #D: Distributor - #L: Local facility/user facility - #M: Manufacturer - #R: Regulatory agency - ValueSet: http://hl7.org/fhir/ValueSet/v2-0237|2.8.2 + references: 0, strongest binding: - #A: Abuse - #B: Unexpected beneficial effect - #D: Dependency @@ -34165,14 +34749,17 @@ Value Sets: 1082 (unversioned) - #O: Overdose - #W: Drug withdrawal - ValueSet: http://hl7.org/fhir/ValueSet/v2-0238|2.8.2 + references: 0, strongest binding: - #N: No - #S: Significant - #Y: Yes - ValueSet: http://hl7.org/fhir/ValueSet/v2-0239|2.8.2 + references: 0, strongest binding: - #N: No - #U: Unknown - #Y: Yes - ValueSet: http://hl7.org/fhir/ValueSet/v2-0240|2.8.2 + references: 0, strongest binding: - #C: Congenital anomaly/birth defect - #D: Death - #H: Caused hospitalized @@ -34183,6 +34770,7 @@ Value Sets: 1082 (unversioned) - #P: Prolonged hospitalization - #R: Required intervention to prevent permanent impairment/damage - ValueSet: http://hl7.org/fhir/ValueSet/v2-0241|2.8.2 + references: 0, strongest binding: - #D: Died - #F: Fully recovered - #N: Not recovering/unchanged @@ -34191,6 +34779,7 @@ Value Sets: 1082 (unversioned) - #U: Unknown - #W: Worsening - ValueSet: http://hl7.org/fhir/ValueSet/v2-0242|2.8.2 + references: 0, strongest binding: - #C: Health care consumer/patient - #H: Other health professional - #L: Lawyer/attorney @@ -34199,10 +34788,12 @@ Value Sets: 1082 (unversioned) - #P: Physician (osteopath, homeopath) - #R: Pharmacist - ValueSet: http://hl7.org/fhir/ValueSet/v2-0243|2.8.2 + references: 0, strongest binding: - #N: No - #NA: Not applicable - #Y: Yes - ValueSet: http://hl7.org/fhir/ValueSet/v2-0247|2.8.2 + references: 0, strongest binding: - #A: Evaluation anticipated, but not yet begun - #C: Product received in condition which made analysis impossible - #D: Product discarded -- unable to follow up @@ -34216,17 +34807,20 @@ Value Sets: 1082 (unversioned) - #X: Product not made by company - #Y: Evaluation completed - ValueSet: http://hl7.org/fhir/ValueSet/v2-0248|2.8.2 + references: 0, strongest binding: - #A: Actual product involved in incident was evaluated - #L: A product from the same lot as the actual product involved was evaluated - #N: A product from a controlled/non-related inventory was evaluated - #R: A product from a reserve sample was evaluated - ValueSet: http://hl7.org/fhir/ValueSet/v2-0250|2.8.2 + references: 0, strongest binding: - #H: Highly probable - #I: Improbable - #M: Moderately probable - #N: Not related - #S: Somewhat probable - ValueSet: http://hl7.org/fhir/ValueSet/v2-0251|2.8.2 + references: 0, strongest binding: - #DI: Product dose or frequency of use increased - #DR: Product dose or frequency of use reduced - #N: None @@ -34234,6 +34828,7 @@ Value Sets: 1082 (unversioned) - #WP: Product withdrawn permanently - #WT: Product withdrawn temporarily - ValueSet: http://hl7.org/fhir/ValueSet/v2-0252|2.8.2 + references: 0, strongest binding: - #AW: Abatement of event after product withdrawn - #BE: Event recurred after product reintroduced - #DR: Dose response observed @@ -34246,12 +34841,14 @@ Value Sets: 1082 (unversioned) - #SE: Similar events in past for this patient - #TC: Toxic levels of product documented in blood or body fluids - ValueSet: http://hl7.org/fhir/ValueSet/v2-0253|2.8.2 + references: 0, strongest binding: - #B: Breast milk - #F: Father - #O: Other - #P: Transplacental - #X: Blood product - ValueSet: http://hl7.org/fhir/ValueSet/v2-0254|2.8.2 + references: 0, strongest binding: - #ABS: Absorbance - #ACNC: Concentration, Arbitrary Substance - #ACT: Activity @@ -34355,6 +34952,7 @@ Value Sets: 1082 (unversioned) - #VRAT: Volume Rate - #VRTO: Volume Ratio - ValueSet: http://hl7.org/fhir/ValueSet/v2-0255|2.8.2 + references: 0, strongest binding: - #*: (asterisk) Life of the "unit." Used for blood products. - #* (star): Life of the "unit." Used for blood products. - #12H: 12 hours @@ -34383,6 +34981,7 @@ Value Sets: 1082 (unversioned) - #8H: 8 hours - #PT: To identify measures at a point in time. This is a synonym for "spot" or "random" as applied to urine measurements. - ValueSet: http://hl7.org/fhir/ValueSet/v2-0256|2.8.2 + references: 0, strongest binding: - #10D: 10 days - #10M: 10 minutes post challenge - #12H: 12 hours post challenge @@ -34428,15 +35027,18 @@ Value Sets: 1082 (unversioned) - #RANDOM: Time from the challenge, or dose not specified. (random) - #TROUGH: The time post drug dose at which the lowest drug level is reached (varies with drug) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0257|2.8.2 + references: 0, strongest binding: - #CFST: Fasting (no calorie intake) for the period specified in the time component of the term, e.g. 1H POST CFST - #EXCZ: Exercise undertaken as challenge (can be quantified) - #FFST: No fluid intake for the period specified in the time component of the term - ValueSet: http://hl7.org/fhir/ValueSet/v2-0258|2.8.2 + references: 0, strongest binding: - #BPU: Blood product unit - #CONTROL: Control - #DONOR: Donor - #PATIENT: Patient - ValueSet: http://hl7.org/fhir/ValueSet/v2-0259|2.8.2 + references: 0, strongest binding: - #AS: Angioscopy - #BS: Biomagnetic imaging - #CD: Color flow Doppler @@ -34464,6 +35066,7 @@ Value Sets: 1082 (unversioned) - #US: Ultrasound - #XA: X-ray Angiography - ValueSet: http://hl7.org/fhir/ValueSet/v2-0260|2.8.2 + references: 0, strongest binding: - #B: Bed - #C: Clinic - #D: Department @@ -34473,6 +35076,7 @@ Value Sets: 1082 (unversioned) - #O: Operating Room - #R: Room - ValueSet: http://hl7.org/fhir/ValueSet/v2-0261|2.8.2 + references: 0, strongest binding: - #EEG: Electro-Encephalogram - #EKG: Electro-Cardiogram - #INF: Infusion pump @@ -34482,6 +35086,7 @@ Value Sets: 1082 (unversioned) - #VEN: Ventilator - #VIT: Vital signs monitor - ValueSet: http://hl7.org/fhir/ValueSet/v2-0262|2.8.2 + references: 0, strongest binding: - #F: Isolation - #J: Private room - medically justified - #P: Private room @@ -34489,6 +35094,7 @@ Value Sets: 1082 (unversioned) - #S: Semi-private room - #W: Ward - ValueSet: http://hl7.org/fhir/ValueSet/v2-0263|2.8.2 + references: 0, strongest binding: - #A: Ambulatory - #C: Critical care - #E: Emergency @@ -34497,6 +35103,7 @@ Value Sets: 1082 (unversioned) - #R: Routine - #S: Surgery - ValueSet: http://hl7.org/fhir/ValueSet/v2-0265|2.8.2 + references: 0, strongest binding: - #ALC: Allergy - #AMB: Ambulatory - #CAN: Cancer @@ -34524,6 +35131,7 @@ Value Sets: 1082 (unversioned) - #SUR: Surgery - #WIC: Walk-in clinic - ValueSet: http://hl7.org/fhir/ValueSet/v2-0267|2.8.2 + references: 0, strongest binding: - #FRI: Friday - #MON: Monday - #SAT: Saturday @@ -34532,13 +35140,16 @@ Value Sets: 1082 (unversioned) - #TUE: Tuesday - #WED: Wednesday - ValueSet: http://hl7.org/fhir/ValueSet/v2-0268|2.8.2 + references: 0, strongest binding: - #A: Override allowed - #R: Override required - #X: Override not allowed - ValueSet: http://hl7.org/fhir/ValueSet/v2-0269|2.8.2 + references: 0, strongest binding: - #O: Charge on Order - #R: Charge on Result - ValueSet: http://hl7.org/fhir/ValueSet/v2-0270|2.8.2 + references: 0, strongest binding: - #AR: Autopsy report - #CD: Cardiodiagnostics - #CN: Consultation @@ -34554,6 +35165,7 @@ Value Sets: 1082 (unversioned) - #SP: Surgical pathology - #TS: Transfer summary - ValueSet: http://hl7.org/fhir/ValueSet/v2-0271|2.8.2 + references: 0, strongest binding: - #AU: Authenticated - #DI: Dictated - #DO: Documented @@ -34562,6 +35174,7 @@ Value Sets: 1082 (unversioned) - #LA: Legally authenticated - #PA: Pre-authenticated - ValueSet: http://hl7.org/fhir/ValueSet/v2-0272|2.8.2 + references: 0, strongest binding: - #1: ASTM Level 1 - #2: ASTM Level 2 - #3: ASTM Level 3 @@ -34572,26 +35185,31 @@ Value Sets: 1082 (unversioned) - #V: Very restricted - #VR: Very restricted - ValueSet: http://hl7.org/fhir/ValueSet/v2-0273|2.8.2 + references: 0, strongest binding: - #AV: Available for patient care - #CA: Deleted - #OB: Obsolete - #UN: Unavailable for patient care - ValueSet: http://hl7.org/fhir/ValueSet/v2-0275|2.8.2 + references: 0, strongest binding: - #AA: Active and archived - #AC: Active - #AR: Archived (not active) - #PU: Purged - ValueSet: http://hl7.org/fhir/ValueSet/v2-0276|2.8.2 + references: 2, strongest binding: Preferred - #CHECKUP: A routine check-up, such as an annual physical - #EMERGENCY: Emergency appointment - #FOLLOWUP: A follow up visit from a previous appointment - #ROUTINE: Routine appointment - default if not valued - #WALKIN: A previously unscheduled walk-in visit - ValueSet: http://hl7.org/fhir/ValueSet/v2-0277|2.8.2 + references: 0, strongest binding: - #Complete: A request to add a completed appointment, used to maintain records of completed appointments that did not appear in the schedule (e.g. STAT, walk-in, etc.) - #Normal: Routine schedule request type – default if not valued - #Tentative: A request for a tentative (e.g. “penciled in”) appointment - ValueSet: http://hl7.org/fhir/ValueSet/v2-0278|2.8.2 + references: 0, strongest binding: - #Blocked: The indicated time slot(s) is(are) blocked - #Booked: The indicated appointment is booked - #Cancelled: The indicated appointment was stopped from occurring (canceled prior to starting) @@ -34604,15 +35222,18 @@ Value Sets: 1082 (unversioned) - #Started: The indicated appointment has begun and is currently in progress - #Waitlist: Appointment has been placed on a waiting list for a particular slot, or set of slots - ValueSet: http://hl7.org/fhir/ValueSet/v2-0279|2.8.2 + references: 0, strongest binding: - #Confirm: Contact the Placer Contact Person prior to making any substitutions of this resource - #No: Substitution of this resource is not allowed - #Notify: Notify the Placer Contact Person, through normal institutional procedures, that a substitution of this resource has been made - #Yes: Substitution of this resource is allowed - ValueSet: http://hl7.org/fhir/ValueSet/v2-0280|2.8.2 + references: 0, strongest binding: - #A: ASAP - #R: Routine - #S: STAT - ValueSet: http://hl7.org/fhir/ValueSet/v2-0281|2.8.2 + references: 0, strongest binding: - #Hom: Home Care - #Lab: Laboratory - #Med: Medical @@ -34620,26 +35241,31 @@ Value Sets: 1082 (unversioned) - #Rad: Radiology - #Skn: Skilled Nursing - ValueSet: http://hl7.org/fhir/ValueSet/v2-0282|2.8.2 + references: 0, strongest binding: - #AM: Assume Management - #RP: Return Patient After Evaluation - #SO: Second Opinion - #WR: Send Written Report - ValueSet: http://hl7.org/fhir/ValueSet/v2-0283|2.8.2 + references: 0, strongest binding: - #A: Accepted - #E: Expired - #P: Pending - #R: Rejected - ValueSet: http://hl7.org/fhir/ValueSet/v2-0284|2.8.2 + references: 0, strongest binding: - #A: Ambulatory - #E: Emergency - #I: Inpatient - #O: Outpatient - ValueSet: http://hl7.org/fhir/ValueSet/v2-0286|2.8.2 + references: 0, strongest binding: - #CP: Consulting Provider - #PP: Primary Care Provider - #RP: Referring Provider - #RT: Referred to Provider - ValueSet: http://hl7.org/fhir/ValueSet/v2-0287|2.8.2 + references: 0, strongest binding: - #AD: ADD - #CO: CORRECT - #DE: DELETE @@ -34648,6 +35274,7 @@ Value Sets: 1082 (unversioned) - #UN: UNLINK - #UP: UPDATE - ValueSet: http://hl7.org/fhir/ValueSet/v2-0290|2.8.2 + references: 0, strongest binding: - #(pad): = - #0: A - #1: B @@ -34714,6 +35341,7 @@ Value Sets: 1082 (unversioned) - #8: I - #9: J - ValueSet: http://hl7.org/fhir/ValueSet/v2-0291|2.8.2 + references: 0, strongest binding: - #...: Source RFC 2046 - #…: Source RFC 2046 - #BASIC: ISDN PCM audio data @@ -34732,6 +35360,7 @@ Value Sets: 1082 (unversioned) - #x-hl7-cda-level-one: HL7 Clinical Document Architecture Level One document - #XML: Extensible Markup Language (HL7 V2.3.1 and later) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0292|2.8.2 + references: 0, strongest binding: - #01: DTP - #02: OPV - #03: MMR @@ -34857,6 +35486,7 @@ Value Sets: 1082 (unversioned) - #998: no vaccine administered5 - #999: unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0294|2.8.2 + references: 0, strongest binding: - #Fri: An indicator that Friday is or is not preferred for the day on which the appointment will occur. - #Mon: An indicator that Monday is or is not preferred for the day on which the appointment will occur. - #Prefend: An indicator that there is a preferred end time for the appointment request, service or resource. @@ -34867,13 +35497,16 @@ Value Sets: 1082 (unversioned) - #Tue: An indicator that Tuesday is or is not preferred for the day on which the appointment will occur. - #Wed: An indicator that Wednesday is or is not preferred for the day on which the appointment will occur. - ValueSet: http://hl7.org/fhir/ValueSet/v2-0298|2.8.2 + references: 0, strongest binding: - #F: Flat-rate. Apply the entire price to this interval, do not pro-rate the price if the full interval has not occurred/been consumed - #P: Pro-rate. Apply this price to this interval, pro-rated by whatever portion of the interval has occurred/been consumed - ValueSet: http://hl7.org/fhir/ValueSet/v2-0299|2.8.2 + references: 0, strongest binding: - #A: No encoding - data are displayable ASCII characters. - #Base64: Encoding as defined by MIME (Multipurpose Internet Mail Extensions) standard RFC 1521. Four consecutive ASCII characters represent three consecutive octets of binary data. Base64 utilizes a 65-character subset of US-ASCII, consisting of both the upper and - #Hex: Hexadecimal encoding - consecutive pairs of hexadecimal digits represent consecutive single octets. - ValueSet: http://hl7.org/fhir/ValueSet/v2-0301|2.8.2 + references: 0, strongest binding: - #B: - #CLIA: Clinical Laboratory Improvement Amendments. Allows for the ability to designate organization identifier as a "CLIA" assigned number (for labs) - #CLIP: Clinical laboratory Improvement Program. Allows for the ability to designate organization identifier as a "CLIP" assigned number (for labs).  Used by US Department of Defense. @@ -34893,6 +35526,7 @@ Value Sets: 1082 (unversioned) - #x400: An X.400 MHS identifier. Recommended format is in accordance with RFC 1649 - #x500: An X.500 directory name - ValueSet: http://hl7.org/fhir/ValueSet/v2-0305|2.8.2 + references: 0, strongest binding: - #C: Clinic - #D: Department - #H: Home @@ -34901,22 +35535,26 @@ Value Sets: 1082 (unversioned) - #P: Phone - #S: SNF - ValueSet: http://hl7.org/fhir/ValueSet/v2-0309|2.8.2 + references: 0, strongest binding: - #B: Both hospital and physician - #H: Hospital/institutional - #P: Physician/professional - #RX: Pharmacy - ValueSet: http://hl7.org/fhir/ValueSet/v2-0311|2.8.2 + references: 0, strongest binding: - #O: Other - #P: Permanent - #T: Temporary - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0315|2.8.2 + references: 0, strongest binding: - #F: Yes, patient has a living will but it is not on file - #I: No, patient does not have a living will but information was provided - #N: No, patient does not have a living will and no information was provided - #U: Unknown - #Y: Yes, patient has a living will - ValueSet: http://hl7.org/fhir/ValueSet/v2-0316|2.8.2 + references: 0, strongest binding: - #F: Yes, patient is a documented donor, but documentation is not on file - #I: No, patient is not a documented donor, but information was provided - #N: No, patient has not agreed to be a donor @@ -34925,27 +35563,32 @@ Value Sets: 1082 (unversioned) - #U: Unknown - #Y: Yes, patient is a documented donor and documentation is on file - ValueSet: http://hl7.org/fhir/ValueSet/v2-0317|2.8.2 + references: 0, strongest binding: - #9900: Pace spike - #9901: SAS marker - #9902: Sense marker - #9903: Beat marker - #9904: etc. - ValueSet: http://hl7.org/fhir/ValueSet/v2-0321|2.8.2 + references: 0, strongest binding: - #AD: Automatic Dispensing - #F: Floor Stock - #TR: Traditional - #UD: Unit Dose - ValueSet: http://hl7.org/fhir/ValueSet/v2-0322|2.8.2 + references: 0, strongest binding: - #CP: Complete - #NA: Not Administered - #PA: Partially Administered - #RE: Refused - ValueSet: http://hl7.org/fhir/ValueSet/v2-0323|2.8.2 + references: 0, strongest binding: - #A: Add/Insert - #D: Delete - #U: Update - #X: No change - ValueSet: http://hl7.org/fhir/ValueSet/v2-0324|2.8.2 + references: 0, strongest binding: - #GEN: Gender of patient(s) - #IMP: Implant: can be used for radiation implant patients - #INF: Infectious disease: this location can be used for isolation @@ -34959,6 +35602,7 @@ Value Sets: 1082 (unversioned) - #STF: Bed is staffed - #TEA: Teaching location - ValueSet: http://hl7.org/fhir/ValueSet/v2-0325|2.8.2 + references: 0, strongest binding: - #ALI: Location Alias(es) - #DTY: Nearest dietary location - #LAB: Nearest lab @@ -34967,12 +35611,15 @@ Value Sets: 1082 (unversioned) - #RX: Nearest pharmacy - #RX2: Second nearest pharmacy - ValueSet: http://hl7.org/fhir/ValueSet/v2-0326|2.8.2 + references: 0, strongest binding: - #A: Account level (default) - #V: Visit level - ValueSet: http://hl7.org/fhir/ValueSet/v2-0329|2.8.2 + references: 0, strongest binding: - #A: Actual count - #E: Estimated (see comment) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0330|2.8.2 + references: 0, strongest binding: - #510E: 510 (K) exempt - #510K: 510 (K) - #522S: Post marketing study (522) @@ -34980,19 +35627,23 @@ Value Sets: 1082 (unversioned) - #PRE: Preamendment - #TXN: Transitional - ValueSet: http://hl7.org/fhir/ValueSet/v2-0331|2.8.2 + references: 0, strongest binding: - #A: Agent for a foreign manufacturer - #D: Distributor - #M: Manufacturer - #U: User - ValueSet: http://hl7.org/fhir/ValueSet/v2-0332|2.8.2 + references: 0, strongest binding: - #A: Accept - #I: Initiate - ValueSet: http://hl7.org/fhir/ValueSet/v2-0334|2.8.2 + references: 0, strongest binding: - #AP: Associated party - #GT: Guarantor - #IN: Insured - #PT: Patient - ValueSet: http://hl7.org/fhir/ValueSet/v2-0335|2.8.2 + references: 0, strongest binding: - #A: Ante (before) - #BID: twice a day at institution-specified times - #C: service is provided continuously between start time and stop time @@ -35022,14 +35673,17 @@ Value Sets: 1082 (unversioned) - #V: Cibus Vespertinus (dinner) - #xID: "X" times per day at institution-specified times, where X is a numeral 5 or greater. - ValueSet: http://hl7.org/fhir/ValueSet/v2-0336|2.8.2 + references: 0, strongest binding: - #O: Provider Ordered - #P: Patient Preference - #S: Second Opinion - #W: Work Load - ValueSet: http://hl7.org/fhir/ValueSet/v2-0337|2.8.2 + references: 0, strongest binding: - #C: Certified - #E: Eligible - ValueSet: http://hl7.org/fhir/ValueSet/v2-0338|2.8.2 + references: 0, strongest binding: - #CY: County number - #DEA: Drug Enforcement Agency no. - #GL: General ledger number @@ -35043,11 +35697,13 @@ Value Sets: 1082 (unversioned) - #TRL: Training license number - #UPIN: Unique physician ID no. - ValueSet: http://hl7.org/fhir/ValueSet/v2-0339|2.8.2 + references: 0, strongest binding: - #1: Service is subject to medical necessity procedures - #2: Patient has been informed of responsibility, and agrees to pay for service - #3: Patient has been informed of responsibility, and asks that the payer be billed - #4: Advanced Beneficiary Notice has not been signed - ValueSet: http://hl7.org/fhir/ValueSet/v2-0344|2.8.2 + references: 0, strongest binding: - #01: Patient is insured - #02: Spouse - #03: Natural child/insured financial responsibility @@ -35068,6 +35724,7 @@ Value Sets: 1082 (unversioned) - #18: Parent - #19: Grandparent - ValueSet: http://hl7.org/fhir/ValueSet/v2-0350|2.8.2 + references: 0, strongest binding: - #...: Use NUBC codes - #…: Use NUBC codes - #01: Auto accident @@ -35148,6 +35805,7 @@ Value Sets: 1082 (unversioned) - #A2: Effective date - insured A policy - #A3: Benefits exhausted payer A - ValueSet: http://hl7.org/fhir/ValueSet/v2-0351|2.8.2 + references: 0, strongest binding: - #...: use NUBC codes - #…: use NUBC codes - #70: Qualifying stay dates for SNF @@ -35162,10 +35820,12 @@ Value Sets: 1082 (unversioned) - #79: Payer code - #M0: PSRO/UR approved stay dates - ValueSet: http://hl7.org/fhir/ValueSet/v2-0353|2.8.2 + references: 0, strongest binding: - #NA: not applicable - #NASK: not asked - #NAV: temporarily unavailable - ValueSet: http://hl7.org/fhir/ValueSet/v2-0354|2.8.2 + references: 0, strongest binding: - #ACK: Varies - #ADR_A19: - #ADT_A01: A01, A04, A08, A13 @@ -35465,14 +36125,17 @@ Value Sets: 1082 (unversioned) - #VXU_V04: V04 - #VXX_V02: V02 - ValueSet: http://hl7.org/fhir/ValueSet/v2-0355|2.8.2 + references: 0, strongest binding: - #CE: Coded element - #CWE: Coded with Exceptions - #PL: Person location - ValueSet: http://hl7.org/fhir/ValueSet/v2-0356|2.8.2 + references: 0, strongest binding: - #: This is the default, indicating that there is no character set switching occurring in this message. - #2.3: The character set switching mode specified in HL7 2.5, section 2.7.2 and section 2.A.46, "XPN - extended person name". - #ISO 2022-1994: This standard is titled "Information Technology - Character Code Structure and Extension Technique". . - ValueSet: http://hl7.org/fhir/ValueSet/v2-0357|2.8.2 + references: 0, strongest binding: - #0: Message accepted - #100: Segment sequence error - #101: Required field missing @@ -35488,6 +36151,7 @@ Value Sets: 1082 (unversioned) - #206: Application record locked - #207: Application internal error - ValueSet: http://hl7.org/fhir/ValueSet/v2-0359|2.8.2 + references: 0, strongest binding: - #...: - #0: Not included in diagnosis ranking - #1: The primary diagnosis @@ -35495,6 +36159,7 @@ Value Sets: 1082 (unversioned) - #2 ...: For ranked secondary diagnoses - #2 and higher: for ranked secondary diagnoses - ValueSet: http://hl7.org/fhir/ValueSet/v2-0363|2.8.2 + references: 0, strongest binding: - #...: No suggested values defined - #AUSDVA: Australia - Dept. of Veterans Affairs - #AUSHIC: Australia - Health Insurance Commission @@ -35516,6 +36181,7 @@ Value Sets: 1082 (unversioned) - #USHCFA: US Healthcare Finance Authority - #USSSA: US Social Security Administration - ValueSet: http://hl7.org/fhir/ValueSet/v2-0364|2.8.2 + references: 0, strongest binding: - #1R: Primary Reason - #2R: Secondary Reason - #AI: Ancillary Instructions @@ -35525,6 +36191,7 @@ Value Sets: 1082 (unversioned) - #PI: Patient Instructions - #RE: Remark - ValueSet: http://hl7.org/fhir/ValueSet/v2-0365|2.8.2 + references: 0, strongest binding: - #...: (null) No state change - #…: (null) No state change - #CL: Clearing @@ -35542,11 +36209,13 @@ Value Sets: 1082 (unversioned) - #SS: Sampling stopped - #TS: Transport stopped - ValueSet: http://hl7.org/fhir/ValueSet/v2-0366|2.8.2 + references: 0, strongest binding: - #...: (null) No state change - #…: (null) No state change - #L: Local - #R: Remote - ValueSet: http://hl7.org/fhir/ValueSet/v2-0367|2.8.2 + references: 0, strongest binding: - #...: (null) No level change - #…: (null) No level change - #C: Critical @@ -35554,6 +36223,7 @@ Value Sets: 1082 (unversioned) - #S: Serious - #W: Warning - ValueSet: http://hl7.org/fhir/ValueSet/v2-0368|2.8.2 + references: 0, strongest binding: - #AB: Abort - #AF: Aliquot From container - #AT: Aliquot To container @@ -35576,6 +36246,7 @@ Value Sets: 1082 (unversioned) - #UC: Unlock - #UN: Unload - ValueSet: http://hl7.org/fhir/ValueSet/v2-0369|2.8.2 + references: 0, strongest binding: - #B: Blind Sample - #C: Calibrator, used for initial setting of calibration - #E: Electronic QC, used with manufactured reference providing signals that simulate QC results @@ -35588,6 +36259,7 @@ Value Sets: 1082 (unversioned) - #R: Replicate (of patient sample as a control) - #V: Verifying Calibrator, used for periodic calibration checks - ValueSet: http://hl7.org/fhir/ValueSet/v2-0370|2.8.2 + references: 0, strongest binding: - #I: Identified - #L: Left Equipment - #M: Missing @@ -35597,6 +36269,7 @@ Value Sets: 1082 (unversioned) - #U: Unknown - #X: Container Unavailable - ValueSet: http://hl7.org/fhir/ValueSet/v2-0371|2.8.2 + references: 1, strongest binding: Example - #ACDA: ACD Solution A - #ACDB: ACD Solution B - #ACET: Acetic Acid @@ -35655,6 +36328,7 @@ Value Sets: 1082 (unversioned) - #VIRTM: Viral Transport medium - #WEST: Buffered Citrate (Westergren Sedimentation Rate) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0372|2.8.2 + references: 0, strongest binding: - #BLD: Whole blood, homogeneous - #BSEP: Whole blood, separated - #PLAS: Plasma, NOS (not otherwise specified) @@ -35664,6 +36338,7 @@ Value Sets: 1082 (unversioned) - #SER: Serum, NOS (not otherwise specified) - #SUP: Supernatant - ValueSet: http://hl7.org/fhir/ValueSet/v2-0373|2.8.2 + references: 0, strongest binding: - #ACID: Acidification - #ALK: Alkalization - #DEFB: Defibrination @@ -35673,11 +36348,14 @@ Value Sets: 1082 (unversioned) - #RECA: Recalification - #UFIL: Ultrafiltration - ValueSet: http://hl7.org/fhir/ValueSet/v2-0374|2.8.2 + references: 0, strongest binding: - #CNTM: Present, type of contamination unspecified - ValueSet: http://hl7.org/fhir/ValueSet/v2-0375|2.8.2 + references: 0, strongest binding: - #FLUR: Fluorocarbons - #SFHB: Stromal free hemoglobin preparations - ValueSet: http://hl7.org/fhir/ValueSet/v2-0376|2.8.2 + references: 0, strongest binding: - #AMB: Ambient temperature - #C37: Body temperature - #CAMB: Critical ambient temperature @@ -35696,9 +36374,11 @@ Value Sets: 1082 (unversioned) - #UFRZ: Ultra frozen - #UPR: Upright - ValueSet: http://hl7.org/fhir/ValueSet/v2-0377|2.8.2 + references: 0, strongest binding: - #A60: Opened container, indoor atmosphere, 60 minutes duration - #ATM: Opened container, atmosphere and duration unspecified - ValueSet: http://hl7.org/fhir/ValueSet/v2-0383|2.8.2 + references: 0, strongest binding: - #CE: Calibration Error - #CW: Calibration Warning - #EE: Expired Error @@ -35711,6 +36391,7 @@ Value Sets: 1082 (unversioned) - #QE: QC Error - #QW: QC Warning - ValueSet: http://hl7.org/fhir/ValueSet/v2-0384|2.8.2 + references: 0, strongest binding: - #CO: Control - #DI: Diluent - #LI: Measurable Liquid Item @@ -35724,35 +36405,43 @@ Value Sets: 1082 (unversioned) - #SR: Single Test Reagent - #SW: Solid Waste - ValueSet: http://hl7.org/fhir/ValueSet/v2-0387|2.8.2 + references: 0, strongest binding: - #ER: Command cannot be completed because of error condition - #OK: Command completed successfully - #ST: Command cannot be completed because of the status of the requested equipment - #TI: Command cannot be completed within requested completion time - #UN: Command cannot be completed for unknown reasons - ValueSet: http://hl7.org/fhir/ValueSet/v2-0388|2.8.2 + references: 0, strongest binding: - #E: Evaluation - #P: Regular Production - ValueSet: http://hl7.org/fhir/ValueSet/v2-0389|2.8.2 + references: 0, strongest binding: - #D: Repeated with dilution - #F: Reflex test - #O: Original, first run - #R: Repeated without dilution - ValueSet: http://hl7.org/fhir/ValueSet/v2-0392|2.8.2 + references: 0, strongest binding: - #DB: Match on Date of Birth - #NA: Match on Name (Alpha Match) - #NP: Match on Name (Phonetic Match) - #SS: Match on Social Security Number - ValueSet: http://hl7.org/fhir/ValueSet/v2-0393|2.8.2 + references: 0, strongest binding: - #LINKSOFT_2.01: Proprietary algorithm for LinkSoft v2.01 - #MATCHWARE_1.2: Proprietary algorithm for MatchWare v1.2 - ValueSet: http://hl7.org/fhir/ValueSet/v2-0394|2.8.2 + references: 0, strongest binding: - #B: Batch - #R: Real Time - #T: Bolus (a series of responses sent at the same time without use of batch formatting) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0395|2.8.2 + references: 0, strongest binding: - #M: Modified Subscription - #N: New Subscription - ValueSet: http://hl7.org/fhir/ValueSet/v2-0396|2.8.2 + references: 0, strongest binding: - #99zzz: Local general code where z is an alphanumeric character - #99zzz or L: Local general code (where z is an alphanumeric character) - #ACR: American College of Radiology finding codes @@ -35936,29 +36625,35 @@ Value Sets: 1082 (unversioned) - #WC: WHO ATC - #X12Dennnn: ASC X12 Code List nnnn - ValueSet: http://hl7.org/fhir/ValueSet/v2-0397|2.8.2 + references: 0, strongest binding: - #A: Ascending - #AN: Ascending, case insensitive - #D: Descending - #DN: Descending, case insensitive - #N: None - ValueSet: http://hl7.org/fhir/ValueSet/v2-0398|2.8.2 + references: 0, strongest binding: - #F: Fragmentation - #I: Interactive Continuation - ValueSet: http://hl7.org/fhir/ValueSet/v2-0401|2.8.2 + references: 0, strongest binding: - #C: Medi-Cal - #MM: Medicare - ValueSet: http://hl7.org/fhir/ValueSet/v2-0402|2.8.2 + references: 0, strongest binding: - #D: Dental - #G: Graduate - #M: Medical - #U: Undergraduate - ValueSet: http://hl7.org/fhir/ValueSet/v2-0403|2.8.2 + references: 0, strongest binding: - #1: Read - #2: Write - #3: Speak - #4: Understand - #5: Sign - ValueSet: http://hl7.org/fhir/ValueSet/v2-0404|2.8.2 + references: 0, strongest binding: - #1: Excellent - #2: Good - #3: Fair @@ -35966,6 +36661,7 @@ Value Sets: 1082 (unversioned) - #5: Some (level unknown) - #6: None - ValueSet: http://hl7.org/fhir/ValueSet/v2-0406|2.8.2 + references: 0, strongest binding: - #1: Hospital - #2: Physician Clinic - #3: Long Term Care @@ -35974,10 +36670,12 @@ Value Sets: 1082 (unversioned) - #H: Home - #O: Office - ValueSet: http://hl7.org/fhir/ValueSet/v2-0409|2.8.2 + references: 0, strongest binding: - #M: Migrates to different CPU - #SD: Shut down - #SU: Start up - ValueSet: http://hl7.org/fhir/ValueSet/v2-0411|2.8.2 + references: 0, strongest binding: - #...: No suggested values defined. - #1ST: First - #2ND: Second @@ -36010,15 +36708,18 @@ Value Sets: 1082 (unversioned) - #WOC: Without Contrast - #WSD: With Sedation - ValueSet: http://hl7.org/fhir/ValueSet/v2-0415|2.8.2 + references: 0, strongest binding: - #E: DRG Exempt - #N: DRG Non Exempt - ValueSet: http://hl7.org/fhir/ValueSet/v2-0416|2.8.2 + references: 0, strongest binding: - #1: 1st non-Operative - #2: 2nd non-Operative - #3: Major Operative - #4: 2nd Operative - #5: 3rd Operative - ValueSet: http://hl7.org/fhir/ValueSet/v2-0417|2.8.2 + references: 0, strongest binding: - #0: No tissue expected - #1: Insufficient Tissue - #2: Not abnormal @@ -36033,16 +36734,19 @@ Value Sets: 1082 (unversioned) - #C: Carcinoma-unspecified type - #G: Additional tissue required - ValueSet: http://hl7.org/fhir/ValueSet/v2-0418|2.8.2 + references: 0, strongest binding: - #...: - #…: - #0: the admitting procedure - #1: the primary procedure - #2: for ranked secondary procedures - ValueSet: http://hl7.org/fhir/ValueSet/v2-0421|2.8.2 + references: 0, strongest binding: - #MI: Mild - #MO: Moderate - #SE: Severe - ValueSet: http://hl7.org/fhir/ValueSet/v2-0422|2.8.2 + references: 0, strongest binding: - #1: Non-acute - #2: Acute - #3: Urgent @@ -36050,18 +36754,22 @@ Value Sets: 1082 (unversioned) - #5: Dead on Arrival (DOA) - #99: Other - ValueSet: http://hl7.org/fhir/ValueSet/v2-0423|2.8.2 + references: 0, strongest binding: - #D: Doctor's Office Closed - ValueSet: http://hl7.org/fhir/ValueSet/v2-0424|2.8.2 + references: 0, strongest binding: - #1: Premature / Pre-term - #2: Full Term - #3: Overdue / Post-term - ValueSet: http://hl7.org/fhir/ValueSet/v2-0425|2.8.2 + references: 0, strongest binding: - #1: Born in facility - #2: Transfer in - #3: Born en route - #4: Other - #5: Born at home - ValueSet: http://hl7.org/fhir/ValueSet/v2-0426|2.8.2 + references: 0, strongest binding: - #CRYO: Cryoprecipitated AHF - #CRYOP: Pooled Cryoprecipitate - #FFP: Fresh Frozen Plasma @@ -36078,6 +36786,7 @@ Value Sets: 1082 (unversioned) - #RWB: Reconstituted Whole Blood - #WBA: Autologous Whole Blood - ValueSet: http://hl7.org/fhir/ValueSet/v2-0427|2.8.2 + references: 0, strongest binding: - #B: Body fluid exposure - #C: Contaminated Substance - #D: Diet Errors @@ -36093,10 +36802,12 @@ Value Sets: 1082 (unversioned) - #S: Suicide Attempt - #T: Transfusion error - ValueSet: http://hl7.org/fhir/ValueSet/v2-0428|2.8.2 + references: 0, strongest binding: - #O: Other - #P: Preventable - #U: User Error - ValueSet: http://hl7.org/fhir/ValueSet/v2-0429|2.8.2 + references: 0, strongest binding: - #BR: Breeding/genetic stock - #DA: Dairy - #DR: Draft @@ -36110,6 +36821,7 @@ Value Sets: 1082 (unversioned) - #SH: Show - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0430|2.8.2 + references: 0, strongest binding: - #A: Ambulance - #C: Car - #F: On foot @@ -36118,6 +36830,7 @@ Value Sets: 1082 (unversioned) - #P: Public Transport - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0431|2.8.2 + references: 0, strongest binding: - #A: Alcohol - #C: Tobacco - chewed - #K: Kava @@ -36126,6 +36839,7 @@ Value Sets: 1082 (unversioned) - #T: Tobacco - smoked - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0432|2.8.2 + references: 0, strongest binding: - #AC: Acute - #CH: Chronic - #CO: Comatose @@ -36133,6 +36847,7 @@ Value Sets: 1082 (unversioned) - #IM: Improved - #MO: Moribund - ValueSet: http://hl7.org/fhir/ValueSet/v2-0433|2.8.2 + references: 0, strongest binding: - #A: Aggressive - #B: Blind - #C: Confused @@ -36143,6 +36858,7 @@ Value Sets: 1082 (unversioned) - #P: Paraplegic - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0434|2.8.2 + references: 0, strongest binding: - #A: Satisfactory - #C: Critical - #O: Other @@ -36150,19 +36866,23 @@ Value Sets: 1082 (unversioned) - #S: Stable - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0435|2.8.2 + references: 0, strongest binding: - #DNR: Do not resuscitate - #N: No directive - ValueSet: http://hl7.org/fhir/ValueSet/v2-0436|2.8.2 + references: 0, strongest binding: - #AD: Adverse Reaction (Not otherwise classified) - #AL: Allergy - #CT: Contraindication - #IN: Intolerance - #SE: Side Effect - ValueSet: http://hl7.org/fhir/ValueSet/v2-0437|2.8.2 + references: 0, strongest binding: - #B: Bracelet - #N: Necklace - #W: Wallet Card - ValueSet: http://hl7.org/fhir/ValueSet/v2-0438|2.8.2 + references: 0, strongest binding: - #C: Confirmed or verified - #D: Doubt raised - #E: Erroneous @@ -36171,6 +36891,7 @@ Value Sets: 1082 (unversioned) - #S: Suspect - #U: Unconfirmed - ValueSet: http://hl7.org/fhir/ValueSet/v2-0440|2.8.2 + references: 0, strongest binding: - #AD: Address - #AUI: Authorization information - #CCD: Charge code and date @@ -36268,6 +36989,7 @@ Value Sets: 1082 (unversioned) - #XPN: Extended person name - #XTN: Extended telecommunications number - ValueSet: http://hl7.org/fhir/ValueSet/v2-0441|2.8.2 + references: 0, strongest binding: - #A: Active - #I: Inactive - #L: Inactive - Lost to follow-up (cancel contract) @@ -36276,11 +36998,13 @@ Value Sets: 1082 (unversioned) - #P: Inactive - Permanently inactive (Do not reactivate or add new entries to the record) - #U: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0442|2.8.2 + references: 0, strongest binding: - #D: Diagnostic - #E: Emergency Room Casualty - #P: Primary Care - #T: Therapeutic - ValueSet: http://hl7.org/fhir/ValueSet/v2-0443|2.8.2 + references: 0, strongest binding: - #AD: Admitting - #AI: Assistant/Alternate Interpreter - #AP: Administering Provider @@ -36305,21 +37029,26 @@ Value Sets: 1082 (unversioned) - #VPS: Verifying Pharmaceutical Supplier (not sure how to dissect Pharmacist/Treatment Supplier's Verifier ID) - #VTS: Verifying Treatment Supplier (not sure how to dissect Pharmacist/Treatment Supplier's Verifier ID) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0444|2.8.2 + references: 0, strongest binding: - #F: Prefix Family Middle Given Suffix - #G: Prefix Given Middle Family Suffix - ValueSet: http://hl7.org/fhir/ValueSet/v2-0445|2.8.2 + references: 0, strongest binding: - #AL: Patient/Person Name is an Alias - #UA: Unknown/Default Address - #UD: Unknown/Default Date of Birth - #US: Unknown/Default Social Security Number - ValueSet: http://hl7.org/fhir/ValueSet/v2-0450|2.8.2 + references: 0, strongest binding: - #LOG: Log Event - #SER: Service Event - ValueSet: http://hl7.org/fhir/ValueSet/v2-0455|2.8.2 + references: 0, strongest binding: - #...: No suggested values defined - #131: Hospital - Outpatient - Admit thru Discharge Claim - #141: Hospital - Other - Admit thru Discharge Claim - ValueSet: http://hl7.org/fhir/ValueSet/v2-0456|2.8.2 + references: 0, strongest binding: - #...: No suggested values defined - #260: IV Therapy - #280: Oncology @@ -36328,40 +37057,48 @@ Value Sets: 1082 (unversioned) - #993: Telephone/Telegraph - #994: TV/Radio - ValueSet: http://hl7.org/fhir/ValueSet/v2-0457|2.8.2 + references: 0, strongest binding: - #0: No edits present on claim - #1: Only edits present are for line item denial or rejection - #2: Multiple-day claim with one or more days denied or rejected - #3: Claim denied, rejected, suspended or returned to provider with only post payment edits - #4: Claim denied, rejected, suspended or returned to provider with only pre payment edits - ValueSet: http://hl7.org/fhir/ValueSet/v2-0459|2.8.2 + references: 0, strongest binding: - #0: OCE line item denial or rejection is not ignored - #1: OCE line item denial or rejection is ignored - #2: External line item denial. Line item is denied even if no OCE edits - #3: External line item rejection. Line item is rejected even if no OCE edits - ValueSet: http://hl7.org/fhir/ValueSet/v2-0460|2.8.2 + references: 0, strongest binding: - #0: Line item not denied or rejected - #1: Line item denied or rejected - #2: Line item is on a multiple-day claim. The line item is not denied or rejected, but occurs on a day that has been denied or rejected. - ValueSet: http://hl7.org/fhir/ValueSet/v2-0465|2.8.2 + references: 0, strongest binding: - #A: Alphabetic (i.e., Default or some single-byte) - #I: Ideographic (i.e., Kanji) - #P: Phonetic (i.e., ASCII, Katakana, Hiragana, etc.) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0466|2.8.2 + references: 0, strongest binding: - #...: - #031: Dental procedures - #163: Excision/biopsy - #181: Level 1 skin repair. - ValueSet: http://hl7.org/fhir/ValueSet/v2-0468|2.8.2 + references: 0, strongest binding: - #1: No payment adjustment - #2: Designated current drug or biological payment adjustment applies to APC (status indicator G) - #3: Designated new device payment adjustment applies to APC (status indicator H) - #4: Designated new drug or new biological payment adjustment applies to APC (status indicator J) - #5: Deductible not applicable (specific list of HCPCS codes) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0469|2.8.2 + references: 0, strongest binding: - #0: Not packaged - #1: Packaged service (status indicator N, or no HCPCS code and certain revenue codes) - #2: Packaged as part of partial hospitalization per diem or daily mental health service per diem - ValueSet: http://hl7.org/fhir/ValueSet/v2-0470|2.8.2 + references: 0, strongest binding: - #Crnl: Corneal Tissue APC - #DME: Durable Medical Equipment - #EPO: Epotein @@ -36373,15 +37110,18 @@ Value Sets: 1082 (unversioned) - #Pckg: Packaged APC - #Thrpy: Therapy APC - ValueSet: http://hl7.org/fhir/ValueSet/v2-0472|2.8.2 + references: 0, strongest binding: - #A: Asynchronous - #C: Actuation Time - #S: Synchronous - ValueSet: http://hl7.org/fhir/ValueSet/v2-0473|2.8.2 + references: 0, strongest binding: - #G: This observation/service is on the formulary, and has guidelines - #N: This observation/service is not on the formulary - #R: This observation/service is on the formulary, but is restricted - #Y: This observation/service is on the formulary - ValueSet: http://hl7.org/fhir/ValueSet/v2-0474|2.8.2 + references: 0, strongest binding: - #D: Department - #F: Facility - #L: Local market area @@ -36390,12 +37130,14 @@ Value Sets: 1082 (unversioned) - #U: Subdepartment - #V: Division - ValueSet: http://hl7.org/fhir/ValueSet/v2-0475|2.8.2 + references: 0, strongest binding: - #01: Allergy - #02: Intolerance - #03: Treatment Failure - #04: Patient Request - #05: No Exception - ValueSet: http://hl7.org/fhir/ValueSet/v2-0477|2.8.2 + references: 0, strongest binding: - #I: Schedule I - #II: Schedule II - #III: Schedule III @@ -36403,18 +37145,22 @@ Value Sets: 1082 (unversioned) - #V: Schedule V - #VI: Schedule VI - ValueSet: http://hl7.org/fhir/ValueSet/v2-0478|2.8.2 + references: 0, strongest binding: - #G: Pharmaceutical substance is in the formulary, but guidelines apply - #N: Pharmaceutical substance is NOT in the formulary - #R: Pharmaceutical substance is in the formulary, but restrictions apply - #Y: Pharmaceutical substance is in the formulary - ValueSet: http://hl7.org/fhir/ValueSet/v2-0480|2.8.2 + references: 0, strongest binding: - #M: Medication - #O: Other solution as medication orders - #S: IV Large Volume Solutions - ValueSet: http://hl7.org/fhir/ValueSet/v2-0482|2.8.2 + references: 0, strongest binding: - #I: Inpatient Order - #O: Outpatient Order - ValueSet: http://hl7.org/fhir/ValueSet/v2-0483|2.8.2 + references: 0, strongest binding: - #EL: Electronic - #EM: E-mail - #FX: Fax @@ -36426,6 +37172,7 @@ Value Sets: 1082 (unversioned) - #VC: Video-conference - #VO: Voice - ValueSet: http://hl7.org/fhir/ValueSet/v2-0484|2.8.2 + references: 0, strongest binding: - #B: Trial Quantity Balance - #C: Compassionate Fill - #N: New/Renew - Full Fill @@ -36436,6 +37183,7 @@ Value Sets: 1082 (unversioned) - #T: Trial Quantity - #Z: Non-Prescription Fill - ValueSet: http://hl7.org/fhir/ValueSet/v2-0485|2.8.2 + references: 0, strongest binding: - #A: ASAP - #C: Callback - #P: Preop @@ -36450,6 +37198,7 @@ Value Sets: 1082 (unversioned) - #TS: Timing critical within seconds. - #TW: Timing critical within weeks. - ValueSet: http://hl7.org/fhir/ValueSet/v2-0487|2.8.2 + references: 1, strongest binding: Example - #...: No suggested values - #ABS: Abscess - #ACNE: Tissue, Acne @@ -36766,6 +37515,7 @@ Value Sets: 1082 (unversioned) - #WWO: Environmental, Water (Ocean) - #WWT: Environmental, Water (Tap) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0488|2.8.2 + references: 0, strongest binding: - #ANP: Plates, Anaerobic - #BAP: Plates, Blood Agar - #BCAE: Blood Culture, Aerobic Bottle @@ -36809,6 +37559,7 @@ Value Sets: 1082 (unversioned) - #VENIP: Venipuncture - #WOOD: Swab, Wooden Shaft - ValueSet: http://hl7.org/fhir/ValueSet/v2-0489|2.8.2 + references: 0, strongest binding: - #AGG: Aggressive - #BHZ: Biohazard - #BIO: Biological @@ -36821,6 +37572,7 @@ Value Sets: 1082 (unversioned) - #POI: Poison - #RAD: Radioactive - ValueSet: http://hl7.org/fhir/ValueSet/v2-0490|2.8.2 + references: 0, strongest binding: - #EX: Expired - #QS: Quantity not sufficient - #RA: Missing patient ID number @@ -36836,16 +37588,19 @@ Value Sets: 1082 (unversioned) - #RR: Improper storage - #RS: Name misspelling - ValueSet: http://hl7.org/fhir/ValueSet/v2-0491|2.8.2 + references: 0, strongest binding: - #E: Excellent - #F: Fair - #G: Good - #P: Poor - ValueSet: http://hl7.org/fhir/ValueSet/v2-0492|2.8.2 + references: 0, strongest binding: - #??: Inappropriate due to ... - #A: Appropriate - #I: Inappropriate - #P: Preferred - ValueSet: http://hl7.org/fhir/ValueSet/v2-0493|2.8.2 + references: 0, strongest binding: - #AUT: Autolyzed - #CFU: Centrifuged - #CLOT: Clotted @@ -36857,10 +37612,12 @@ Value Sets: 1082 (unversioned) - #ROOM: Room temperature - #SNR: Sample not received - ValueSet: http://hl7.org/fhir/ValueSet/v2-0494|2.8.2 + references: 0, strongest binding: - #A: Aliquot - #C: Component - #M: Modified from original specimen - ValueSet: http://hl7.org/fhir/ValueSet/v2-0495|2.8.2 + references: 0, strongest binding: - #ANT: Anterior - #BIL: Bilateral - #DIS: Distal @@ -36878,6 +37635,7 @@ Value Sets: 1082 (unversioned) - #RUQ: Quadrant, Right Upper - #UPP: Upper - ValueSet: http://hl7.org/fhir/ValueSet/v2-0496|2.8.2 + references: 0, strongest binding: - #001: Release of Information/MR / Authorization to Disclosure Protected Health Information - #002: Medical Procedure (invasive) - #003: Acknowledge Receipt of Privacy Notice @@ -37016,10 +37774,12 @@ Value Sets: 1082 (unversioned) - #135: Venogram - #136: Videotape - ValueSet: http://hl7.org/fhir/ValueSet/v2-0497|2.8.2 + references: 0, strongest binding: - #T: Telephone - #V: Verbal - #W: Written - ValueSet: http://hl7.org/fhir/ValueSet/v2-0498|2.8.2 + references: 0, strongest binding: - #A: Active - Consent has been granted - #B: Bypassed (Consent not sought) - #L: Limited - Consent has been granted with limitations @@ -37027,45 +37787,55 @@ Value Sets: 1082 (unversioned) - #R: Refused - Consent has been refused - #X: Rescinded - Consent was initially granted, but was subsequently revoked or ended. - ValueSet: http://hl7.org/fhir/ValueSet/v2-0499|2.8.2 + references: 0, strongest binding: - #E: Emergency - #PJ: Professional Judgment - ValueSet: http://hl7.org/fhir/ValueSet/v2-0500|2.8.2 + references: 0, strongest binding: - #F: Full Disclosure - #N: No Disclosure - #P: Partial Disclosure - ValueSet: http://hl7.org/fhir/ValueSet/v2-0501|2.8.2 + references: 0, strongest binding: - #E: Emergency - #PR: Patient Request - #RX: Rx Private - ValueSet: http://hl7.org/fhir/ValueSet/v2-0502|2.8.2 + references: 0, strongest binding: - #LM: Legally mandated - #MIN: Subject is a minor - #NC: Subject is not competent to consent - ValueSet: http://hl7.org/fhir/ValueSet/v2-0503|2.8.2 + references: 0, strongest binding: - #C: Cyclical - #R: Reserved for future use - #S: Sequential - ValueSet: http://hl7.org/fhir/ValueSet/v2-0504|2.8.2 + references: 0, strongest binding: - #EE: End related service request(s), end current service request. - #ES: End related service request(s), start current service request. - #SE: Start related service request(s), end current service request. - #SS: Start related service request(s), start current service request. - ValueSet: http://hl7.org/fhir/ValueSet/v2-0505|2.8.2 + references: 0, strongest binding: - ##: The last service request in a cyclic group. - #*: The first service request in a cyclic group - ValueSet: http://hl7.org/fhir/ValueSet/v2-0506|2.8.2 + references: 0, strongest binding: - #C: Compound - #E: Exclusive - #N: Nurse prerogative - #S: Simultaneous - #T: Tapering - ValueSet: http://hl7.org/fhir/ValueSet/v2-0507|2.8.2 + references: 0, strongest binding: - #A: Alert provider when abnormal - #BCC: Blind Copy - #CC: Copies Requested - #F: Film-with-patient - #N: Notify provider when ready - ValueSet: http://hl7.org/fhir/ValueSet/v2-0508|2.8.2 + references: 0, strongest binding: - #AU: Autologous Unit - #CM: CMV Negative - #CS: CMV Safe @@ -37078,6 +37848,7 @@ Value Sets: 1082 (unversioned) - #LR: Leukoreduced - #WA: Washed - ValueSet: http://hl7.org/fhir/ValueSet/v2-0510|2.8.2 + references: 0, strongest binding: - #CR: Released into inventory for general availability - #DS: Dispensed to patient location - #PT: Presumed transfused (dispensed and not returned) @@ -37090,6 +37861,7 @@ Value Sets: 1082 (unversioned) - #RS: Reserved (ordered and product allocated for the patient) - #WA: Wasted (product no longer viable) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0511|2.8.2 + references: 0, strongest binding: - #C: Record coming over is a correction and thus replaces a final status - #D: Deletes the BPX record - #F: Final status; Can only be changed with a corrected status @@ -37097,12 +37869,14 @@ Value Sets: 1082 (unversioned) - #P: Preliminary status - #W: Post original as wrong, e.g. transmitted for wrong patient - ValueSet: http://hl7.org/fhir/ValueSet/v2-0513|2.8.2 + references: 0, strongest binding: - #RA: Returned unused/no longer needed - #RL: Returned unused/keep linked to patient for possible use later - #TR: Transfused with adverse reaction - #TX: Transfused - #WA: Wasted (product no longer viable) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0514|2.8.2 + references: 0, strongest binding: - #ABOINC: ABO Incompatible Transfusion Reaction - #ACUTHEHTR: Acute Hemolytic Transfusion Reaction - #ALLERGIC1: Allergic Reaction - First @@ -37123,31 +37897,38 @@ Value Sets: 1082 (unversioned) - #PTP: Posttransfusion Purpura - #VOLOVER: Symptoms most likely due to volume overload - ValueSet: http://hl7.org/fhir/ValueSet/v2-0516|2.8.2 + references: 0, strongest binding: - #E: Error - #F: Fatal Error - #I: Information - #W: Warning - ValueSet: http://hl7.org/fhir/ValueSet/v2-0517|2.8.2 + references: 0, strongest binding: - #HD: Inform help desk - #NPAT: Do NOT inform patient - #PAT: Inform patient - #USR: Inform User - ValueSet: http://hl7.org/fhir/ValueSet/v2-0518|2.8.2 + references: 0, strongest binding: - #EQV: Equivalence Override - #EXTN: Extension Override - #INLV: Interval Override - ValueSet: http://hl7.org/fhir/ValueSet/v2-0520|2.8.2 + references: 0, strongest binding: - #H: High - #L: Low - #M: Medium - ValueSet: http://hl7.org/fhir/ValueSet/v2-0523|2.8.2 + references: 0, strongest binding: - #%: Indicates a percent change - #a: Absolute Change - ValueSet: http://hl7.org/fhir/ValueSet/v2-0524|2.8.2 + references: 0, strongest binding: - #C: Repeating cycle of orders - #R: Reserved for possible future use - #S: Sequence conditions - ValueSet: http://hl7.org/fhir/ValueSet/v2-0527|2.8.2 + references: 0, strongest binding: - #DM: day of the month - #DW: day of the week (begins with Monday) - #DY: day of the year @@ -37157,6 +37938,7 @@ Value Sets: 1082 (unversioned) - #SN: second of the minute - #WY: week of the year - ValueSet: http://hl7.org/fhir/ValueSet/v2-0528|2.8.2 + references: 0, strongest binding: - #AC: before meal (from lat. ante cibus) - #ACD: before lunch (from lat. ante cibus diurnus) - #ACM: before breakfast (from lat. ante cibus matutinus) @@ -37171,6 +37953,7 @@ Value Sets: 1082 (unversioned) - #PCM: after breakfast (from lat. post cibus matutinus) - #PCV: after dinner (from lat. post cibus vespertinus) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0529|2.8.2 + references: 0, strongest binding: - #D: day - #H: hour - #L: month @@ -37178,6 +37961,7 @@ Value Sets: 1082 (unversioned) - #S: second - #Y: year - ValueSet: http://hl7.org/fhir/ValueSet/v2-0530|2.8.2 + references: 0, strongest binding: - #AE: American Express - #DEA: Drug Enforcement Agency - #DOD: Department of Defense @@ -37185,6 +37969,7 @@ Value Sets: 1082 (unversioned) - #VA: Veterans Affairs - #VI: Visa - ValueSet: http://hl7.org/fhir/ValueSet/v2-0532|2.8.2 + references: 0, strongest binding: - #ASKU: asked but unknown - #N: No - #NA: not applicable @@ -37195,32 +37980,38 @@ Value Sets: 1082 (unversioned) - #UNK: unknown - #Y: Yes - ValueSet: http://hl7.org/fhir/ValueSet/v2-0534|2.8.2 + references: 0, strongest binding: - #L: Last Rites only - #N: No - #O: Other - #U: Unknown - #Y: Yes - ValueSet: http://hl7.org/fhir/ValueSet/v2-0535|2.8.2 + references: 0, strongest binding: - #C: Signed CMS-1500 claim form on file, e.g. authorization for release of any medical or other information necessary to process this claim and assignment of benefits. - #M: Signed authorization for assignment of benefits on file. - #P: Signature generated by provider because the patient was not physically present for services. - #S: Signed authorization for release of any medical or other information necessary to process this claim on file. - ValueSet: http://hl7.org/fhir/ValueSet/v2-0536|2.8.2 + references: 0, strongest binding: - #E: Expired - #I: Inactive - #P: Provisional - #R: Revoked - #V: Active/Valid - ValueSet: http://hl7.org/fhir/ValueSet/v2-0538|2.8.2 + references: 0, strongest binding: - #CON: Contractor - #CST: Consultant - #EMP: Employee - #VOL: Volunteer - ValueSet: http://hl7.org/fhir/ValueSet/v2-0540|2.8.2 + references: 0, strongest binding: - #L: Leave of Absence - #R: Retired - #T: Termination - ValueSet: http://hl7.org/fhir/ValueSet/v2-0544|2.8.2 + references: 0, strongest binding: - #...: No suggested values - #CC: Container Cracked - #CL: Container Leaking @@ -37244,10 +38035,12 @@ Value Sets: 1082 (unversioned) - #XUFRZ: Not Ultra frozen - #XUPR: Not Upright - ValueSet: http://hl7.org/fhir/ValueSet/v2-0547|2.8.2 + references: 0, strongest binding: - #C: County/Parish - #N: Country - #S: State/Province - ValueSet: http://hl7.org/fhir/ValueSet/v2-0548|2.8.2 + references: 0, strongest binding: - #1: Self - #2: Parent - #3: Next of Kin @@ -37256,6 +38049,7 @@ Value Sets: 1082 (unversioned) - #6: Emergent Practitioner (practitioner judging case as emergency requiring care without a consent) - #7: Non-Emergent Practitioner (i.e. medical ethics committee) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0550|2.8.2 + references: 0, strongest binding: - # : External Jugular - # : External Jugular - #ACET: Acetabulum @@ -37702,6 +38496,7 @@ Value Sets: 1082 (unversioned) - #WBC: Leukocytes - #WRIST: Wrist - ValueSet: http://hl7.org/fhir/ValueSet/v2-0553|2.8.2 + references: 0, strongest binding: - #AA: Authorization request for inpatient admission - #AI: Combined Authorization and Adjudication request - #CA: Cancel Authorization request @@ -37720,10 +38515,12 @@ Value Sets: 1082 (unversioned) - #RU: Referral authorization - #SA: Special Authorization - ValueSet: http://hl7.org/fhir/ValueSet/v2-0554|2.8.2 + references: 0, strongest binding: - #LATE: Late Invoice - #NORM: Normal submission - #SUB: Subscriber coverage problem - ValueSet: http://hl7.org/fhir/ValueSet/v2-0555|2.8.2 + references: 0, strongest binding: - #BK: Block - #FN: Final - #FS: Fee for Service @@ -37735,23 +38532,28 @@ Value Sets: 1082 (unversioned) - #SS: By Session - #SU: Supplemental - ValueSet: http://hl7.org/fhir/ValueSet/v2-0556|2.8.2 + references: 0, strongest binding: - #AMB: AMBULATORY CARE - #DENT: DENTAL - ValueSet: http://hl7.org/fhir/ValueSet/v2-0557|2.8.2 + references: 0, strongest binding: - #EMPL: Employer - #ORG: Payee Organization - #PERS: Person - #PPER: Pay Person - ValueSet: http://hl7.org/fhir/ValueSet/v2-0558|2.8.2 + references: 0, strongest binding: - #FM: Family Member - #GT: Guarantor - #PT: Patient - #SB: Subscriber - ValueSet: http://hl7.org/fhir/ValueSet/v2-0559|2.8.2 + references: 0, strongest binding: - #D: Denied - #P: Processed - #R: Rejected - ValueSet: http://hl7.org/fhir/ValueSet/v2-0561|2.8.2 + references: 0, strongest binding: - #CLCTR: Claim Center - #DGAPP: Diagnostic Approval Number - #DTCTR: Data Center Number @@ -37760,6 +38562,7 @@ Value Sets: 1082 (unversioned) - #OOP: Out of Province Indicator - #SEQ: Sequence Number - ValueSet: http://hl7.org/fhir/ValueSet/v2-0562|2.8.2 + references: 0, strongest binding: - #DFADJ: Deferred Adjudication Processing - #EFORM: Electronic form to follow - #FAX: Fax to follow @@ -37767,17 +38570,20 @@ Value Sets: 1082 (unversioned) - #PYRDELAY: Delayed by a Previous Payer - #RTADJ: Real Time Adjudication Processing - ValueSet: http://hl7.org/fhir/ValueSet/v2-0564|2.8.2 + references: 0, strongest binding: - #EA: Edit/Adjudication Response - #IN: Information - #PA: Provider Adjustment - #PR: Processing Result - ValueSet: http://hl7.org/fhir/ValueSet/v2-0565|2.8.2 + references: 0, strongest binding: - #DISP: Dispensing Fee - #GST: Goods and Services Tax - #HST: Harmonized Sales Tax - #MKUP: Mark up Fee - #PST: Provincial Sales Tax - ValueSet: http://hl7.org/fhir/ValueSet/v2-0566|2.8.2 + references: 0, strongest binding: - #GRN: Granulocytes - #LYM: Lymphocytes - #PLS: Plasma @@ -37786,10 +38592,12 @@ Value Sets: 1082 (unversioned) - #RBC: Red Blood Cells - #WBL: Whole Blood - ValueSet: http://hl7.org/fhir/ValueSet/v2-0569|2.8.2 + references: 0, strongest binding: - #EOB: Print on EOB - #PAT: Inform Patient - #PRO: Inform Provider - ValueSet: http://hl7.org/fhir/ValueSet/v2-0570|2.8.2 + references: 0, strongest binding: - #CASH: Cash - #CCCA: Credit Card - #CCHK: Cashier's Check @@ -37801,6 +38609,7 @@ Value Sets: 1082 (unversioned) - #TRAC: Traveler's Check - #VISN: VISA Special Electronic Funds Transfer Network - ValueSet: http://hl7.org/fhir/ValueSet/v2-0571|2.8.2 + references: 0, strongest binding: - #ACK: Acknowledge - #ADJ: Adjudicated with Adjustments - #ADJSUB: Adjudicated as Submitted @@ -37810,38 +38619,48 @@ Value Sets: 1082 (unversioned) - #PRED: Pre-Determination - #REJECT: Reject - ValueSet: http://hl7.org/fhir/ValueSet/v2-0572|2.8.2 + references: 0, strongest binding: - #RVAT: Registered in VAT register - #UVAT: Unregistered in VAT register - ValueSet: http://hl7.org/fhir/ValueSet/v2-0615|2.8.2 + references: 0, strongest binding: - #KERB: Kerberos Service Ticket - #SAML: Authenticated User Identity Assertion - ValueSet: http://hl7.org/fhir/ValueSet/v2-0616|2.8.2 + references: 0, strongest binding: - #C: Corrected - #E: Added in error - #M: Moved - #R: On request - ValueSet: http://hl7.org/fhir/ValueSet/v2-0617|2.8.2 + references: 0, strongest binding: - #C: Classification - #M: Mailing - #V: Visit - ValueSet: http://hl7.org/fhir/ValueSet/v2-0618|2.8.2 + references: 0, strongest binding: - #LI: Listed - #UL: Unlisted (Should not appear in directories) - #UP: Unpublished - ValueSet: http://hl7.org/fhir/ValueSet/v2-0625|2.8.2 + references: 0, strongest binding: - #1: Active - #2: Pending Inactive - #3: Inactive - ValueSet: http://hl7.org/fhir/ValueSet/v2-0634|2.8.2 + references: 0, strongest binding: - #CRT: Critical - ValueSet: http://hl7.org/fhir/ValueSet/v2-0642|2.8.2 + references: 0, strongest binding: - #D: DOP/DOQ - #M: MIN/MAX - #O: Override - ValueSet: http://hl7.org/fhir/ValueSet/v2-0651|2.8.2 + references: 0, strongest binding: - #CST: Cost - #TME: Time - ValueSet: http://hl7.org/fhir/ValueSet/v2-0653|2.8.2 + references: 0, strongest binding: - #1: mm/dd/yy - #2: yy.mm.dd - #3: dd/mm/yy @@ -37849,27 +38668,33 @@ Value Sets: 1082 (unversioned) - #5: yy/mm/dd - #6: Yymmdd - ValueSet: http://hl7.org/fhir/ValueSet/v2-0657|2.8.2 + references: 0, strongest binding: - #1: EO Gas Sterilizer - #2: Steam Sterilizer - #3: Peracetic Acid - ValueSet: http://hl7.org/fhir/ValueSet/v2-0659|2.8.2 + references: 0, strongest binding: - #1: OR Mode Without Operator - #2: OR Mode with Operator - #3: CPD Mode Without Operator - #4: CPD Mode With Operator - #5: Offline Mode - ValueSet: http://hl7.org/fhir/ValueSet/v2-0667|2.8.2 + references: 0, strongest binding: - #0: Real Time Values - #1: Historic Values - ValueSet: http://hl7.org/fhir/ValueSet/v2-0669|2.8.2 + references: 0, strongest binding: - #LCC: Load is Complete - #LCN: Load Canceled - #LCP: Load In Process - #LLD: Building a Load - ValueSet: http://hl7.org/fhir/ValueSet/v2-0682|2.8.2 + references: 0, strongest binding: - #0: Ready - #1: Not Ready - ValueSet: http://hl7.org/fhir/ValueSet/v2-0702|2.8.2 + references: 0, strongest binding: - #2RS: Second Rinse - #ANR: Anesthesia/Respiratory - #BDP: Bedpans @@ -37903,6 +38728,7 @@ Value Sets: 1082 (unversioned) - #UTL: Utensil Wash - #WFP: Wrap/Steam Flush Pressure Pulse (Wrap/SFPP) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0717|2.8.2 + references: 0, strongest binding: - #ALL: All - #DEM: All demographic data - #DRG: Drug @@ -37917,6 +38743,7 @@ Value Sets: 1082 (unversioned) - #SMD: Sensitive medical data - #STD: Sexually transmitted diseases - ValueSet: http://hl7.org/fhir/ValueSet/v2-0719|2.8.2 + references: 0, strongest binding: - #DIA: Diagnosis-related - #EMP: Employee of this organization - #ORG: Organizational policy or requirement @@ -37925,6 +38752,7 @@ Value Sets: 1082 (unversioned) - #REG: Regulatory requirement - #VIP: Very important person or celebrity - ValueSet: http://hl7.org/fhir/ValueSet/v2-0725|2.8.2 + references: 0, strongest binding: - #APT: Appointment - #ARQ: Appointment Request - #E.g. Use in Care Plans,: @@ -37937,18 +38765,21 @@ Value Sets: 1082 (unversioned) - #RQO: Request-Order - #Similar uses of above moods ma: - ValueSet: http://hl7.org/fhir/ValueSet/v2-0728|2.8.2 + references: 0, strongest binding: - #0: Nothing obvious - #1: Low - #2: Moderate - #3: High - #4: Very high - ValueSet: http://hl7.org/fhir/ValueSet/v2-0731|2.8.2 + references: 0, strongest binding: - #0: Valid code - #1: Invalid code - #2: Two primary diagnosis codes - #3: Invalid for this gender - #4: Invalid for this age - ValueSet: http://hl7.org/fhir/ValueSet/v2-0734|2.8.2 + references: 0, strongest binding: - #0: Normal grouping - #1: Invalid or missing primary diagnosis - #2: Diagnosis is not allowed to be primary @@ -37960,10 +38791,12 @@ Value Sets: 1082 (unversioned) - #8: Invalid length of stay - #9: Invalid field "same day" - ValueSet: http://hl7.org/fhir/ValueSet/v2-0739|2.8.2 + references: 0, strongest binding: - #1: Normal length of stay - #2: Short length of stay - #3: Long length of stay - ValueSet: http://hl7.org/fhir/ValueSet/v2-0742|2.8.2 + references: 0, strongest binding: - #00: Effective weight calculated - #01: Hospital specific contract - #03: Eeffective weight for transfer/referral calculated @@ -37972,58 +38805,71 @@ Value Sets: 1082 (unversioned) - #10: No information/entry in cost data for this DRG - #11: No relative weight found for department (type) - ValueSet: http://hl7.org/fhir/ValueSet/v2-0749|2.8.2 + references: 0, strongest binding: - #0: Valid code; not used for grouping - #1: Valid code; used for grouping - #2: Invalid code; not used for grouping - #3: Invalid code; code is relevant for grouping - ValueSet: http://hl7.org/fhir/ValueSet/v2-0755|2.8.2 + references: 0, strongest binding: - #0: No weight reported at admission used for grouping - #1: Weight reported at admission used for grouping - #2: Default weight (>2499g) used for grouping - ValueSet: http://hl7.org/fhir/ValueSet/v2-0757|2.8.2 + references: 0, strongest binding: - #0: Respiration minutes not used for grouping - #1: Listed respiration minutes used for grouping - #2: OPS code value used for grouping - ValueSet: http://hl7.org/fhir/ValueSet/v2-0759|2.8.2 + references: 0, strongest binding: - #0: Admission status is valid; used for grouping - #1: Admission status is valid; not used for grouping - #2: Admission status is invalid; not used for grouping - #3: Admission status is invalid; default value used for grouping - ValueSet: http://hl7.org/fhir/ValueSet/v2-0761|2.8.2 + references: 0, strongest binding: - #0: Valid code - #1: Invalid code - #2: Not used - #3: Invalid for this gender - #4: Invalid for this age - ValueSet: http://hl7.org/fhir/ValueSet/v2-0763|2.8.2 + references: 0, strongest binding: - #0: Neither operation relevant nor non-operation relevant procedure - #1: Operation relevant procedure - #2: Non-operation relevant procedure - ValueSet: http://hl7.org/fhir/ValueSet/v2-0776|2.8.2 + references: 0, strongest binding: - #A: Active - #I: Inactive - #P: Pending Inactive - ValueSet: http://hl7.org/fhir/ValueSet/v2-0778|2.8.2 + references: 0, strongest binding: - #EQP: Equipment - #IMP: Implant - #MED: Medication - #SUP: Supply - #TDC: Tubes, Drains, and Catheters - ValueSet: http://hl7.org/fhir/ValueSet/v2-0790|2.8.2 + references: 0, strongest binding: - #AMA: American Medical Association - #FDA: Food and Drug Administration - ValueSet: http://hl7.org/fhir/ValueSet/v2-0793|2.8.2 + references: 0, strongest binding: - #SMDA: Safe Medical Devices Act - ValueSet: http://hl7.org/fhir/ValueSet/v2-0806|2.8.2 + references: 0, strongest binding: - #EOG: Ethylene Oxide Gas - #PCA: Peracetic acid - #STM: Steam - ValueSet: http://hl7.org/fhir/ValueSet/v2-0818|2.8.2 + references: 0, strongest binding: - #BX: Box - #CS: Case - #EA: Each - #SET: Set - ValueSet: http://hl7.org/fhir/ValueSet/v2-0834|2.8.2 + references: 0, strongest binding: - #application: Application data - #audio: Audio data - #image: Image data @@ -38032,12 +38878,14 @@ Value Sets: 1082 (unversioned) - #text: Text data - #video: Video data - ValueSet: http://hl7.org/fhir/ValueSet/v2-0868|2.8.2 + references: 0, strongest binding: - #C: Corrected - #E: Added in error - #M: Moved - #N: No longer in service - #R: On request - ValueSet: http://hl7.org/fhir/ValueSet/v2-0871|2.8.2 + references: 0, strongest binding: - #COR: Corrosive - #EXP: Explosive - #FLA: Flammable @@ -38046,26 +38894,32 @@ Value Sets: 1082 (unversioned) - #TOX: Toxic - #UNK: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/v2-0881|2.8.2 + references: 0, strongest binding: - #B: Both - #P: Professional Part - #T: Technical Part - ValueSet: http://hl7.org/fhir/ValueSet/v2-0882|2.8.2 + references: 0, strongest binding: - #E: Employed - #SE: Self-employed - ValueSet: http://hl7.org/fhir/ValueSet/v2-0894|2.8.2 + references: 0, strongest binding: - #L: Left - #R: Right - ValueSet: http://hl7.org/fhir/ValueSet/v2-0895|2.8.2 + references: 0, strongest binding: - #E: Exempt - #N: No - #U: Unknown - #W: Not applicable - #Y: Yes - ValueSet: http://hl7.org/fhir/ValueSet/v2-0904|2.8.2 + references: 0, strongest binding: - #BCV: Bank Card Validation Number - #CCS: Credit Card Security code - #VID: Version ID - ValueSet: http://hl7.org/fhir/ValueSet/v2-0905|2.8.2 + references: 0, strongest binding: - #INV: Inventoried - #ONH: On Hold - #PRC: Processing @@ -38073,6 +38927,7 @@ Value Sets: 1082 (unversioned) - #TRN: In Transit - #TTL: Triaged to Lab - ValueSet: http://hl7.org/fhir/ValueSet/v2-0906|2.8.2 + references: 0, strongest binding: - #A: ASAP - As soon as possible, next highest priority after stat - #CR: Callback results - filler should contact the placer as soon as results are available, even for preliminary results - #CS: Callback for scheduling - Filler should contact the placer (or target) to schedule the service. @@ -38089,6 +38944,7 @@ Value Sets: 1082 (unversioned) - #UD: Use as directed - Drug is to be used as directed by the prescriber. - #UR: Urgent - Calls for prompt action - ValueSet: http://hl7.org/fhir/ValueSet/v2-0907|2.8.2 + references: 0, strongest binding: - #B: Business - Since the service class can represent knowledge structures that may be considered a trade or business secret, there is sometimes (though rarely) the need to flag those items as of business level confidentiality. However, no patient related inf - #C: Celebrity - Celebrities are people of public interest (VIP) including employees, whose information require special protection. - #D: Clinician - Only clinicians may see this item, billing and administration persons can not access this item without special permission. @@ -38104,6 +38960,7 @@ Value Sets: 1082 (unversioned) - #T: Taboo - Information not to be disclosed or discussed with patient except through physician assigned to patient in this case. This is usually a temporary constraint only; example use is a new fatal diagnosis or finding, such as malignancy or HIV. - #V: Very restricted - Very restricted access as declared by the Privacy Officer of the record holder. - ValueSet: http://hl7.org/fhir/ValueSet/v2-0909|2.8.2 + references: 0, strongest binding: - #SID: Share In1 Day -

Share result regardless of reference/therapeutic range after 1 or more business day as agreed to by the systems in play. - #SIDC: Share in 1 Day Conditionally -

Share result in reference ranges/therapeutic with patient after 1 or more business day as agreed to by the systems in play.

Withhold result out of reference/therapeutic range until physician release - #SIMM: Share Immediately -

Share result with patient immediately @@ -38111,6 +38968,7 @@ Value Sets: 1082 (unversioned) - #SWNL: Share Within Normal Limits -

Share result in reference/therapeutic range with patient immediately

Share result out of reference/therapeutic ranges with patient after 1 or more business day as agreed to by the systems in play. - #SWTH: Share Withhold -

Withhold result regardless of reference/therapeutic ranges - ValueSet: http://hl7.org/fhir/ValueSet/v2-0912|2.8.2 + references: 0, strongest binding: - #AD: Admitting Provider - #AI: Assistant/Alternate Interpreter - #AP: Administering Provider @@ -38146,43 +39004,53 @@ Value Sets: 1082 (unversioned) - #WAY: Waypoint - #WAYR: Waypoint Recipient - ValueSet: http://hl7.org/fhir/ValueSet/v2-0914|2.8.2 + references: 0, strongest binding: - #AP: Analysis Process - #IM: Information Management - #L: Laboratory - #NA: Not Applicable - #PD: Placer Data - ValueSet: http://hl7.org/fhir/ValueSet/v2-0916|2.8.2 + references: 0, strongest binding: - #F: Patient was fasting prior to the procedure. - #FNA: Fasting not asked of the patient at time of procedure. - #NF: The patient indicated they did not fast prior to the procedure. - #NG: Not Given - Patient was not asked at the time of the procedure. - ValueSet: http://hl7.org/fhir/ValueSet/v2-0917|2.8.2 + references: 0, strongest binding: - #C: Supplemental - #L: Loading - ValueSet: http://hl7.org/fhir/ValueSet/v2-0918|2.8.2 + references: 0, strongest binding: - #C: Continuous - #P: PCA Only - #PC: PCA + Continuous - ValueSet: http://hl7.org/fhir/ValueSet/v2-0919|2.8.2 + references: 0, strongest binding: - #D: In some cases, this test should be only exclusively with like tests (examples are cyto or pathology) - #N: This test can be included with any number of other tests - #Y: This test should be exclusive - ValueSet: http://hl7.org/fhir/ValueSet/v2-0920|2.8.2 + references: 0, strongest binding: - #A: Alternate - #P: Preferred - ValueSet: http://hl7.org/fhir/ValueSet/v2-0921|2.8.2 + references: 0, strongest binding: - #ADM: Admitting - #PROC: Procedure - #SERV: Service - ValueSet: http://hl7.org/fhir/ValueSet/v2-0922|2.8.2 + references: 0, strongest binding: - #IR: Initial Request - #RA: Request for Appeal - #RE: Request for Extension - ValueSet: http://hl7.org/fhir/ValueSet/v2-0923|2.8.2 + references: 0, strongest binding: - #ABR: Aborted Run: Process interrupted after the Phlebotomist inserts the needle in the Donor's arm - #NIN: Process was not interrupted - #WOT: Walk Out: Process interrupted before the Phlebotomist inserts the needle in the Donor's arm - ValueSet: http://hl7.org/fhir/ValueSet/v2-0924|2.8.2 + references: 0, strongest binding: - #A: Annual - #D: Per Day - #M: Per Month @@ -38190,6 +39058,7 @@ Value Sets: 1082 (unversioned) - #PL: Patients Lifetime - #WK: Per Week - ValueSet: http://hl7.org/fhir/ValueSet/v2-0925|2.8.2 + references: 0, strongest binding: - #ACN: Air Contamination - #CLT: Clotted - #COL: Collapse @@ -38204,14 +39073,17 @@ Value Sets: 1082 (unversioned) - #PFL: Poor flow - #VSM: Vein Spasm - ValueSet: http://hl7.org/fhir/ValueSet/v2-0926|2.8.2 + references: 0, strongest binding: - #NDR: Not Drawn - #SUC: Successful - #UL5: Unsuccessful Less than 50 ml drawn - ValueSet: http://hl7.org/fhir/ValueSet/v2-0927|2.8.2 + references: 0, strongest binding: - #B: Both Arms - #L: Left Arm - #R: Right Arm - ValueSet: http://hl7.org/fhir/ValueSet/v2-0933|2.8.2 + references: 0, strongest binding: - #2RC: Double Red Cells - #GRN: Granulocytes - #HEM: Hemachromatosis @@ -38226,6 +39098,7 @@ Value Sets: 1082 (unversioned) - #THW: Therapeutic Whole Blood - #WBL: Whole Blood - ValueSet: http://hl7.org/fhir/ValueSet/v2-0935|2.8.2 + references: 0, strongest binding: - #ASC: Apheresis Software Crash - #BSC: Manufacturing Software Crash - #CFT: Couldn't follow through with donation (scared) @@ -38236,6 +39109,7 @@ Value Sets: 1082 (unversioned) - #NRG: No reason given, donor decided to stop without giving a reason - #PCD: Phone Call-Donor - ValueSet: http://hl7.org/fhir/ValueSet/v2-2.1-0006|0006 + references: 0, strongest binding: - #A: Atheist - #B: Baptist - #C: Catholic @@ -38246,6 +39120,7 @@ Value Sets: 1082 (unversioned) - #N: Hindu - #P: Protestant - ValueSet: http://hl7.org/fhir/ValueSet/v2-2.3.1-0360|0360 + references: 0, strongest binding: - #AA: Associate of Arts - #AAS: Associate of Applied Science - #ABA: Associate of Business Administration @@ -38305,6 +39180,7 @@ Value Sets: 1082 (unversioned) - #SEC: Secretarial Certificate - #TS: Trade School Graduate - ValueSet: http://hl7.org/fhir/ValueSet/v2-2.4-0006|0006 + references: 0, strongest binding: - #ABC: Christian: American Baptist Church - #AGN: Agnostic - #AME: Christian: African Methodist Episcopal Zion @@ -38392,6 +39268,7 @@ Value Sets: 1082 (unversioned) - #WES: Christian: Wesleyan - #WMC: Christian: Wesleyan Methodist - ValueSet: http://hl7.org/fhir/ValueSet/v2-2.4-0391|0391 + references: 0, strongest binding: - #etc: - #OBRG: OBR group - #ORCG: ORC group @@ -38401,6 +39278,7 @@ Value Sets: 1082 (unversioned) - #RXEG: RXE group - #RXOG: RXO group - ValueSet: http://hl7.org/fhir/ValueSet/v2-2.6-0391|0391 + references: 0, strongest binding: - #ADMINISTRATION: - #ALLERGY: - #APP_STATS: @@ -38542,6 +39420,7 @@ Value Sets: 1082 (unversioned) - #TREATMENT: - #VISIT: - ValueSet: http://hl7.org/fhir/ValueSet/v2-2.7-0360|0360 + references: 1, strongest binding: Example - #AA: Associate of Arts - #AAS: Associate of Applied Science - #ABA: Associate of Business Administration @@ -38604,15 +39483,18 @@ Value Sets: 1082 (unversioned) - #SEC: Secretarial Certificate - #TS: Trade School Graduate - ValueSet: http://hl7.org/fhir/ValueSet/v2-4000|2.8.2 + references: 0, strongest binding: - #A: Alphabetic (i.e., Default or some single-byte) - #I: Ideographic (i.e., Kanji) - #P: Phonetic (i.e., ASCII, Katakana, Hiragana, etc.) - ValueSet: http://hl7.org/fhir/ValueSet/v3-AcknowledgementCondition|2016-11-11 + references: 0, strongest binding: - #AL: Always - #ER: Error/reject only - #NE: Never - #SU: Successful only - ValueSet: http://hl7.org/fhir/ValueSet/v3-AcknowledgementDetailCode|2016-11-11 + references: 0, strongest binding: - #_AcknowledgementDetailNotSupportedCode: AcknowledgementDetailNotSupportedCode - #INTERR: Internal system error - #NOSTORE: No storage space for message. @@ -38642,6 +39524,7 @@ Value Sets: 1082 (unversioned) - #SYN113: Formal constraint violation - #SYN114: Insufficient repetitions - ValueSet: http://hl7.org/fhir/ValueSet/v3-AcknowledgementDetailType|2016-11-11 + references: 0, strongest binding: - #E: Error - #ERR: - #I: Information @@ -38649,6 +39532,7 @@ Value Sets: 1082 (unversioned) - #W: Warning - #WARN: - ValueSet: http://hl7.org/fhir/ValueSet/v3-AcknowledgementType|2016-11-11 + references: 0, strongest binding: - #AA: Application Acknowledgement Accept - #AE: Application Acknowledgement Error - #AR: Application Acknowledgement Reject @@ -38656,6 +39540,7 @@ Value Sets: 1082 (unversioned) - #CE: Accept Acknowledgement Commit Error - #CR: Accept Acknowledgement Commit Reject - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActClass|2016-11-11 + references: 0, strongest binding: - #_ActClassContainer: ActClassContainer - #_ActClassRecordOrganizer: record organizer - #_ActClassROI: ActClassROI @@ -38781,15 +39666,19 @@ Value Sets: 1082 (unversioned) - #VERIF: Verification - #XACT: financial transaction - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActClassClinicalDocument|2014-03-26 + references: 0, strongest binding: - #CDALVLONE: CDA Level One clinical document - #DOCCLIN: clinical document - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActClassDocument|2014-03-26 + references: 0, strongest binding: - #CDALVLONE: CDA Level One clinical document - #DOC: document - #DOCCLIN: clinical document - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActClassInvestigation|2014-03-26 + references: 0, strongest binding: - #INVSTG: investigation - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActClassObservation|2014-03-26 + references: 0, strongest binding: - #_ActClassROI: ActClassROI - #_SubjectBodyPosition: subject body position - #_SubjectPhysicalPosition: subject physical position @@ -38830,17 +39719,21 @@ Value Sets: 1082 (unversioned) - #TRD: trendelenburg - #VERIF: Verification - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActClassProcedure|2014-03-26 + references: 0, strongest binding: - #PROC: procedure - #SBADM: substance administration - #SBEXT: Substance Extraction - #SPECCOLLECT: Specimen Collection - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActClassROI|2014-03-26 + references: 0, strongest binding: - #ROIBND: bounded ROI - #ROIOVL: overlay ROI - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActClassSupply|2014-03-26 + references: 0, strongest binding: - #DIET: diet - #SPLY: supply - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActCode|2016-11-11 + references: 2, strongest binding: Example - #_ActAccountCode: ActAccountCode - #_ActAdjudicationCode: ActAdjudicationCode - #_ActAdjudicationGroupCode: ActAdjudicationGroupCode @@ -39936,6 +40829,7 @@ Value Sets: 1082 (unversioned) - #XRAY: x-ray - #YEAR: year - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActConsentDirective|2014-03-26 + references: 1, strongest binding: Extensible - #_ActConsentDirective: ActConsentDirective - #EMRGONLY: emergency only - #GRANTORCHOICE: grantor choice @@ -39948,6 +40842,7 @@ Value Sets: 1082 (unversioned) - #OPTOUT: op-out - #OPTOUTE: opt-out with exceptions - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActConsentType|2014-03-26 + references: 0, strongest binding: - #_ActConsentType: ActConsentType - #ICOL: information collection - #IDSCL: information disclosure @@ -39959,6 +40854,7 @@ Value Sets: 1082 (unversioned) - #RSDID: de-identified information access - #RSREID: re-identifiable information access - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActCoverageTypeCode|2014-03-26 + references: 0, strongest binding: - #_ActCoverageTypeCode: ActCoverageTypeCode - #_ActHealthInsuranceTypeCode: ActHealthInsuranceTypeCode - #_ActInsurancePolicyCode: ActInsurancePolicyCode @@ -40017,6 +40913,7 @@ Value Sets: 1082 (unversioned) - #VISPOL: vision care policy - #WCBPOL: worker's compensation - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActEncounterCode|2014-03-26 + references: 2, strongest binding: Extensible - #ACUTE: inpatient acute - #AMB: ambulatory - #EMER: emergency @@ -40028,21 +40925,25 @@ Value Sets: 1082 (unversioned) - #SS: short stay - #VR: virtual - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActExposureLevelCode|2016-11-11 + references: 0, strongest binding: - #_ActExposureLevelCode: ActExposureLevelCode - #HIGH: high - #LOW: low - #MEDIUM: medium - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActIncidentCode|2014-03-26 + references: 2, strongest binding: Required - #MVA: Motor vehicle accident - #SCHOOL: School Accident - #SPT: Sporting Accident - #WPA: Workplace accident - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActInvoiceElementModifier|2016-11-11 + references: 0, strongest binding: - #EFORM: Electronic Form To Follow - #FAX: Fax To Follow - #LINV: Last Invoice - #PAPER: Paper Documentation To Follow - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActInvoiceGroupCode|2014-03-26 + references: 2, strongest binding: Required - #_ActInvoiceInterGroupCode: ActInvoiceInterGroupCode - #_ActInvoiceRootGroupCode: ActInvoiceRootGroupCode - #CPINV: clinical product invoice @@ -40063,6 +40964,7 @@ Value Sets: 1082 (unversioned) - #SBFINV: sessional or block fee invoice - #VRXINV: vision dispense invoice - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActMood|2016-11-11 + references: 0, strongest binding: - #_ActMoodActRequest: act request - #_ActMoodCompletionTrack: ActMoodCompletionTrack - #_ActMoodDesire: desire @@ -40092,6 +40994,7 @@ Value Sets: 1082 (unversioned) - #RSK.CRT: risk criterion - #SLOT: resource slot - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActMoodIntent|2014-03-26 + references: 0, strongest binding: - #_ActMoodActRequest: act request - #_ActMoodDesire: desire - #APT: appointment @@ -40103,6 +41006,7 @@ Value Sets: 1082 (unversioned) - #RMD: recommendation - #RQO: request - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActMoodPredicate|2014-03-26 + references: 0, strongest binding: - #CRT: criterion - #EVN.CRT: event criterion - #EXPEC: expectation @@ -40115,6 +41019,7 @@ Value Sets: 1082 (unversioned) - #RSK: risk - #RSK.CRT: risk criterion - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActPharmacySupplyType|2014-03-26 + references: 1, strongest binding: Example - #DF: Daily Fill - #EM: Emergency Supply - #FF: First Fill @@ -40138,6 +41043,7 @@ Value Sets: 1082 (unversioned) - #UD: Unit Dose - #UDE: unit dose equivalent - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActPriority|2016-11-11 + references: 1, strongest binding: Example - #A: ASAP - #CR: callback results - #CS: callback for scheduling @@ -40154,6 +41060,7 @@ Value Sets: 1082 (unversioned) - #UD: use as directed - #UR: urgent - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActReason|2016-11-11 + references: 1, strongest binding: Example - #_ActAccommodationReason: ActAccommodationReason - #_ActBillableClinicalServiceReason: ActBillableClinicalServiceReason - #_ActBillableServiceReason: ActBillableServiceReason @@ -40417,12 +41324,14 @@ Value Sets: 1082 (unversioned) - #WORK: work related - #WRNGVER: wrong version - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActRelationshipCheckpoint|2016-11-11 + references: 0, strongest binding: - #B: beginning - #E: end - #S: entry - #T: through - #X: exit - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActRelationshipConditional|2014-03-26 + references: 0, strongest binding: - #ACTIMM: active immunization against - #ADJUNCT: adjunctive treatment - #BLOCK: blocks @@ -40441,11 +41350,13 @@ Value Sets: 1082 (unversioned) - #TREAT: treats - #TRIG: has trigger - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActRelationshipFulfills|2014-03-26 + references: 0, strongest binding: - #FLFS: fulfills - #OCCR: occurrence - #OREF: references order - #SCH: schedules request - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActRelationshipHasComponent|2014-03-26 + references: 0, strongest binding: - #ARR: arrival - #COMP: has component - #CTRLV: has control variable @@ -40454,18 +41365,22 @@ Value Sets: 1082 (unversioned) - #PART: has part - #STEP: has step - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActRelationshipJoin|2016-11-11 + references: 0, strongest binding: - #D: detached - #K: kill - #W: wait - #X: exclusive wait - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActRelationshipPertains|2014-03-26 + references: 0, strongest binding: - #PERT: has pertinent information - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActRelationshipSplit|2016-11-11 + references: 0, strongest binding: - #E1: exclusive try once - #EW: exclusive wait - #I1: inclusive try once - #IW: inclusive wait - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActRelationshipSubset|2016-11-11 + references: 0, strongest binding: - #_ParticipationSubset: ParticipationSubset - #ActRelationshipExpectedSubset: ActRelationshipExpectedSubset - #ActRelationshipPastSubset: ActRelationshipPastSubset @@ -40481,6 +41396,7 @@ Value Sets: 1082 (unversioned) - #RECENT: most recent - #SUM: summary - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActRelationshipType|2016-11-11 + references: 0, strongest binding: - #_ActClassTemporallyPertains: ActClassTemporallyPertains - #_ActRelationshipAccounting: ActRelationshipAccounting - #_ActRelationshipConditional: ActRelationshipConditional @@ -40619,6 +41535,7 @@ Value Sets: 1082 (unversioned) - #XCRPT: Excerpts - #XFRM: transformation - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActSite|2016-11-11 + references: 0, strongest binding: - #_HumanActSite: HumanActSite - #_HumanSubstanceAdministrationSite: HumanSubstanceAdministrationSite - #BE: bilateral ears @@ -40674,6 +41591,7 @@ Value Sets: 1082 (unversioned) - #RVG: right ventragluteal - #RVL: right vastus lateralis - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActStatus|2016-11-11 + references: 0, strongest binding: - #aborted: aborted - #active: active - #cancelled: cancelled @@ -40685,6 +41603,7 @@ Value Sets: 1082 (unversioned) - #obsolete: obsolete - #suspended: suspended - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActSubstanceAdminSubstitutionCode|2014-03-26 + references: 1, strongest binding: Example - #BC: brand composition - #E: equivalent - #EC: equivalent composition @@ -40695,6 +41614,7 @@ Value Sets: 1082 (unversioned) - #TE: therapeutic alternative - #TG: therapeutic generic - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActTaskCode|2014-03-26 + references: 0, strongest binding: - #_ActTaskCode: ActTaskCode - #ALLERLE: allergy list entry - #ALLERLREV: allergy list review @@ -40734,9 +41654,11 @@ Value Sets: 1082 (unversioned) - #WELLREMLE: wellness reminder list entry - #WELLREMLREV: wellness reminder list review - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActUncertainty|2016-11-11 + references: 0, strongest binding: - #N: stated with no assertion of uncertainty - #U: stated with uncertainty - ValueSet: http://hl7.org/fhir/ValueSet/v3-ActUSPrivacyLaw|2016-11-11 + references: 0, strongest binding: - #_ActUSPrivacyLaw: ActUSPrivacyLaw - #42CFRPart2: 42 CFR Part2 - #CommonRule: Common Rule @@ -40745,6 +41667,7 @@ Value Sets: 1082 (unversioned) - #HIPAASelfPay: HIPAA self-pay - #Title38Section7332: Title 38 Section 7332 - ValueSet: http://hl7.org/fhir/ValueSet/v3-AddressPartType|2016-11-11 + references: 0, strongest binding: - #ADL: additional locator - #AL: address line - #BNN: building number numeric @@ -40776,6 +41699,7 @@ Value Sets: 1082 (unversioned) - #UNIT: unit designator - #ZIP: postal code - ValueSet: http://hl7.org/fhir/ValueSet/v3-AddressUse|2016-11-11 + references: 0, strongest binding: - #_GeneralAddressUse: _GeneralAddressUse - #_PostalAddressUse: _PostalAddressUse - #_TelecommunicationAddressUse: _TelecommunicationAddressUse @@ -40796,10 +41720,12 @@ Value Sets: 1082 (unversioned) - #TMP: temporary address - #WP: work place - ValueSet: http://hl7.org/fhir/ValueSet/v3-AdministrativeGender|2016-11-11 + references: 0, strongest binding: - #F: Female - #M: Male - #UN: Undifferentiated - ValueSet: http://hl7.org/fhir/ValueSet/v3-AmericanIndianAlaskaNativeLanguages|2016-11-11 + references: 0, strongest binding: - #_Abenakian: Abenakian - #_Aleut: Aleut - #_Algic: Algic @@ -41056,8 +41982,10 @@ Value Sets: 1082 (unversioned) - #x-YUR: Yurok - #x-ZUN: Zuni - ValueSet: http://hl7.org/fhir/ValueSet/v3-Calendar|2016-11-11 + references: 0, strongest binding: - #GREG: Gregorian - ValueSet: http://hl7.org/fhir/ValueSet/v3-CalendarCycle|2016-11-11 + references: 0, strongest binding: - #_CalendarCycleOneLetter: CalendarCycleOneLetter - #_CalendarCycleTwoLetter: CalendarCycleTwoLetter - #CD: day (continuous) @@ -41077,8 +42005,10 @@ Value Sets: 1082 (unversioned) - #WM: week of the month - #WY: week of the year - ValueSet: http://hl7.org/fhir/ValueSet/v3-CalendarType|2016-11-11 + references: 0, strongest binding: - #GREG: Gregorian - ValueSet: http://hl7.org/fhir/ValueSet/v3-Charset|2016-11-11 + references: 0, strongest binding: - #EBCDIC: EBCDIC - #ISO-10646-UCS-2: ISO-10646-UCS-2 - #ISO-10646-UCS-4: ISO-10646-UCS-4 @@ -41090,6 +42020,7 @@ Value Sets: 1082 (unversioned) - #UTF-7: UTF-7 - #UTF-8: UTF-8 - ValueSet: http://hl7.org/fhir/ValueSet/v3-CodingRationale|2016-11-11 + references: 0, strongest binding: - #HL7: HL7 Specified or Mandated - #O: originally produced code - #OR: original and required @@ -41099,15 +42030,18 @@ Value Sets: 1082 (unversioned) - #SH: Both HL7 mandated and the original code - #SRC: Source (or original) code - ValueSet: http://hl7.org/fhir/ValueSet/v3-CommunicationFunctionType|2016-11-11 + references: 0, strongest binding: - #RCV: receiver - #RSP: respond to - #SND: sender - ValueSet: http://hl7.org/fhir/ValueSet/v3-Compartment|2014-03-26 + references: 0, strongest binding: - #COMPT: compartment - #HRCOMPT: human resource compartment - #RESCOMPT: research project compartment - #RMGTCOMPT: records management compartment - ValueSet: http://hl7.org/fhir/ValueSet/v3-CompressionAlgorithm|2016-11-11 + references: 0, strongest binding: - #BZ: bzip - #DF: deflate - #GZ: gzip @@ -41115,6 +42049,7 @@ Value Sets: 1082 (unversioned) - #Z7: Z7 - #ZL: zlib - ValueSet: http://hl7.org/fhir/ValueSet/v3-Confidentiality|2016-11-11 + references: 0, strongest binding: - #_Confidentiality: Confidentiality - #_ConfidentialityByAccessKind: ConfidentialityByAccessKind - #_ConfidentialityByInfoType: ConfidentialityByInfoType @@ -41136,6 +42071,7 @@ Value Sets: 1082 (unversioned) - #U: unrestricted - #V: very restricted - ValueSet: http://hl7.org/fhir/ValueSet/v3-ConfidentialityClassification|2014-03-26 + references: 1, strongest binding: Required - #L: low - #M: moderate - #N: normal @@ -41143,6 +42079,7 @@ Value Sets: 1082 (unversioned) - #U: unrestricted - #V: very restricted - ValueSet: http://hl7.org/fhir/ValueSet/v3-ContainerCap|2016-11-11 + references: 0, strongest binding: - #_MedicationCap: MedicationCap - #CHILD: ChildProof - #EASY: EasyOpen @@ -41151,12 +42088,15 @@ Value Sets: 1082 (unversioned) - #PUSH: Push Cap - #SCR: Screw Cap - ValueSet: http://hl7.org/fhir/ValueSet/v3-ContainerSeparator|2016-11-11 + references: 0, strongest binding: - #GEL: Gel - #NONE: None - ValueSet: http://hl7.org/fhir/ValueSet/v3-ContentProcessingMode|2016-11-11 + references: 0, strongest binding: - #SEQL: Sequential - #UNOR: Unordered - ValueSet: http://hl7.org/fhir/ValueSet/v3-ContextControl|2016-11-11 + references: 0, strongest binding: - #_ContextControlAdditive: ContextControlAdditive - #_ContextControlNonPropagating: ContextControlNonPropagating - #_ContextControlOverriding: ContextControlOverriding @@ -41166,6 +42106,7 @@ Value Sets: 1082 (unversioned) - #ON: overriding, non-propagating - #OP: overriding, propagating - ValueSet: http://hl7.org/fhir/ValueSet/v3-DataOperation|2016-11-11 + references: 0, strongest binding: - #ABORT: abort - #ACTIVATE: activate - #APPEND: append @@ -41187,11 +42128,13 @@ Value Sets: 1082 (unversioned) - #SUSPEND: suspend - #UPDATE: revise - ValueSet: http://hl7.org/fhir/ValueSet/v3-DeviceAlertLevel|2016-11-11 + references: 0, strongest binding: - #C: Critical - #N: Normal - #S: Serious - #W: Warning - ValueSet: http://hl7.org/fhir/ValueSet/v3-DocumentCompletion|2016-11-11 + references: 0, strongest binding: - #AU: authenticated - #DI: dictated - #DO: documented @@ -41202,11 +42145,13 @@ Value Sets: 1082 (unversioned) - #PA: pre-authenticated - #UC: unsigned completed document - ValueSet: http://hl7.org/fhir/ValueSet/v3-DocumentStorage|2016-11-11 + references: 0, strongest binding: - #AA: active and archived - #AC: active - #AR: archived (not active) - #PU: purged - ValueSet: http://hl7.org/fhir/ValueSet/v3-EducationLevel|2016-11-11 + references: 0, strongest binding: - #ASSOC: Associate's or technical degree complete - #BD: College or baccalaureate degree complete - #ELEM: Elementary School @@ -41217,19 +42162,23 @@ Value Sets: 1082 (unversioned) - #SCOL: Some College education - #SEC: Some secondary or high school education - ValueSet: http://hl7.org/fhir/ValueSet/v3-EmployeeJobClass|2016-11-11 + references: 0, strongest binding: - #FT: full-time - #PT: part-time - ValueSet: http://hl7.org/fhir/ValueSet/v3-EncounterAdmissionSource|2016-11-11 + references: 0, strongest binding: - #E: emergency - #LD: labor and delivery - #NB: newborn - ValueSet: http://hl7.org/fhir/ValueSet/v3-EncounterSpecialCourtesy|2016-11-11 + references: 0, strongest binding: - #EXT: extended courtesy - #NRM: normal courtesy - #PRF: professional courtesy - #STF: staff - #VIP: very important person - ValueSet: http://hl7.org/fhir/ValueSet/v3-EntityClass|2016-11-11 + references: 0, strongest binding: - #ANM: animal - #CER: certificate representation - #CHEM: chemical substance @@ -41258,10 +42207,12 @@ Value Sets: 1082 (unversioned) - #RGRP: group - #STATE: state - ValueSet: http://hl7.org/fhir/ValueSet/v3-EntityClassDevice|2014-03-26 + references: 0, strongest binding: - #CER: certificate representation - #DEV: device - #MODDV: imaging modality - ValueSet: http://hl7.org/fhir/ValueSet/v3-EntityClassLivingSubject|2014-03-26 + references: 0, strongest binding: - #ANM: animal - #LIV: living subject - #MIC: microorganism @@ -41269,6 +42220,7 @@ Value Sets: 1082 (unversioned) - #PLNT: plant - #PSN: person - ValueSet: http://hl7.org/fhir/ValueSet/v3-EntityClassManufacturedMaterial|2014-03-26 + references: 0, strongest binding: - #CER: certificate representation - #CONT: container - #DEV: device @@ -41276,17 +42228,20 @@ Value Sets: 1082 (unversioned) - #MMAT: manufactured material - #MODDV: imaging modality - ValueSet: http://hl7.org/fhir/ValueSet/v3-EntityClassOrganization|2014-03-26 + references: 0, strongest binding: - #NAT: Nation - #ORG: organization - #PUB: public institution - #STATE: state - ValueSet: http://hl7.org/fhir/ValueSet/v3-EntityClassPlace|2014-03-26 + references: 0, strongest binding: - #CITY: city or town - #COUNTRY: country - #COUNTY: county or parish - #PLC: place - #PROVINCE: state or province - ValueSet: http://hl7.org/fhir/ValueSet/v3-EntityClassRoot|2014-03-26 + references: 0, strongest binding: - #ANM: animal - #CER: certificate representation - #CHEM: chemical substance @@ -41315,6 +42270,7 @@ Value Sets: 1082 (unversioned) - #RGRP: group - #STATE: state - ValueSet: http://hl7.org/fhir/ValueSet/v3-EntityCode|2016-11-11 + references: 0, strongest binding: - #_AccessMedicalDevice: AccessMedicalDevice - #_AdministrationMedicalDevice: AdministrationMedicalDevice - #_ClinicalDrug: ClinicalDrug @@ -41461,16 +42417,19 @@ Value Sets: 1082 (unversioned) - #WEST: Buffered Citrate - #WING: Wing Location - ValueSet: http://hl7.org/fhir/ValueSet/v3-EntityDeterminer|2016-11-11 + references: 0, strongest binding: - #GROUP: specific group - #GROUPKIND: described group - #INSTANCE: specific - #KIND: described - #QUANTIFIED_KIND: described quantified - ValueSet: http://hl7.org/fhir/ValueSet/v3-EntityDeterminerDetermined|2014-03-26 + references: 0, strongest binding: - #GROUPKIND: described group - #KIND: described - #QUANTIFIED_KIND: described quantified - ValueSet: http://hl7.org/fhir/ValueSet/v3-EntityHandling|2016-11-11 + references: 0, strongest binding: - #AMB: Ambient Temperature - #C37: Body Temperature - #CAMB: Critical Ambient temperature @@ -41490,6 +42449,7 @@ Value Sets: 1082 (unversioned) - #UFRZ: Ultra frozen - #UPR: upright - ValueSet: http://hl7.org/fhir/ValueSet/v3-EntityNamePartQualifier|2016-11-11 + references: 0, strongest binding: - #_OrganizationNamePartQualifier: OrganizationNamePartQualifier - #_PersonNamePartAffixTypes: PersonNamePartAffixTypes - #_PersonNamePartChangeQualifier: PersonNamePartChangeQualifier @@ -41520,6 +42480,7 @@ Value Sets: 1082 (unversioned) - #USE: intended use name - #VV: voorvoegsel - ValueSet: http://hl7.org/fhir/ValueSet/v3-EntityNamePartQualifierR2|2016-11-11 + references: 0, strongest binding: - #AC: academic - #AD: acquired - #BR: birth @@ -41548,17 +42509,20 @@ Value Sets: 1082 (unversioned) - #TMK: trademark name - #USE: intended use name - ValueSet: http://hl7.org/fhir/ValueSet/v3-EntityNamePartType|2016-11-11 + references: 0, strongest binding: - #DEL: delimiter - #FAM: family - #GIV: given - #PFX: prefix - #SFX: suffix - ValueSet: http://hl7.org/fhir/ValueSet/v3-EntityNamePartTypeR2|2016-11-11 + references: 0, strongest binding: - #DEL: delimiter - #FAM: family - #GIV: given - #TITLE: title - ValueSet: http://hl7.org/fhir/ValueSet/v3-EntityNameUse|2016-11-11 + references: 0, strongest binding: - #_NameRepresentationUse: NameRepresentationUse - #A: Artist/Stage - #ABC: Alphabetic @@ -41575,6 +42539,7 @@ Value Sets: 1082 (unversioned) - #SRCH: search - #SYL: Syllabic - ValueSet: http://hl7.org/fhir/ValueSet/v3-EntityNameUseR2|2016-11-11 + references: 0, strongest binding: - #A: business name - #ABC: alphabetic - #ANON: Anonymous @@ -41594,6 +42559,7 @@ Value Sets: 1082 (unversioned) - #SYL: syllabic - #T: temporary - ValueSet: http://hl7.org/fhir/ValueSet/v3-EntityRisk|2016-11-11 + references: 0, strongest binding: - #AGG: aggressive - #BHZ: biohazard - #BIO: Biological @@ -41606,17 +42572,20 @@ Value Sets: 1082 (unversioned) - #POI: poison - #RAD: radioactive - ValueSet: http://hl7.org/fhir/ValueSet/v3-EntityStatus|2016-11-11 + references: 0, strongest binding: - #active: active - #inactive: inactive - #normal: normal - #nullified: nullified - #terminated: terminated - ValueSet: http://hl7.org/fhir/ValueSet/v3-EquipmentAlertLevel|2016-11-11 + references: 0, strongest binding: - #C: Critical - #N: Normal - #S: Serious - #W: Warning - ValueSet: http://hl7.org/fhir/ValueSet/v3-Ethnicity|2016-11-11 + references: 0, strongest binding: - #2135-2: Hispanic or Latino - #2137-8: Spaniard - #2138-6: Andalusian @@ -41661,12 +42630,14 @@ Value Sets: 1082 (unversioned) - #2184-0: Dominican - #2186-5: Not Hispanic or Latino - ValueSet: http://hl7.org/fhir/ValueSet/v3-ExposureMode|2016-11-11 + references: 0, strongest binding: - #_ExposureMode: ExposureMode - #AIRBORNE: airborne - #CONTACT: contact - #FOODBORNE: foodborne - #WATERBORNE: waterborne - ValueSet: http://hl7.org/fhir/ValueSet/v3-FamilyMember|2014-03-26 + references: 1, strongest binding: Example - #ADOPTF: adoptive father - #ADOPTM: adoptive mother - #ADOPTP: adoptive parent @@ -41773,9 +42744,11 @@ Value Sets: 1082 (unversioned) - #UNCLE: uncle - #WIFE: wife - ValueSet: http://hl7.org/fhir/ValueSet/v3-GenderStatus|2016-11-11 + references: 0, strongest binding: - #I: Intact - #N: Neutered - ValueSet: http://hl7.org/fhir/ValueSet/v3-GeneralPurposeOfUse|2014-03-26 + references: 0, strongest binding: - #COVERAGE: coverage under policy or program - #ETREAT: Emergency Treatment - #HMARKT: healthcare marketing @@ -41786,6 +42759,7 @@ Value Sets: 1082 (unversioned) - #PUBHLTH: public health - #TREAT: treatment - ValueSet: http://hl7.org/fhir/ValueSet/v3-GTSAbbreviation|2016-11-11 + references: 0, strongest binding: - #_GTSAbbreviationHolidaysChristianRoman: GTSAbbreviationHolidaysChristianRoman - #AM: AM - #BID: BID @@ -41824,6 +42798,7 @@ Value Sets: 1082 (unversioned) - #QOD: QOD - #TID: TID - ValueSet: http://hl7.org/fhir/ValueSet/v3-hl7Realm|2016-11-11 + references: 0, strongest binding: - #AffiliateRealms: Affiliate Realms - #AR: Argentina - #AT: Austria @@ -41870,6 +42845,7 @@ Value Sets: 1082 (unversioned) - #X1: Example Realm - #ZZ: Localized Version - ValueSet: http://hl7.org/fhir/ValueSet/v3-HL7UpdateMode|2016-11-11 + references: 0, strongest binding: - #_SetUpdateMode: SetUpdateMode - #A: Add - #AR: Add or Replace @@ -41887,6 +42863,7 @@ Value Sets: 1082 (unversioned) - #U: Unknown - #V: Verify - ValueSet: http://hl7.org/fhir/ValueSet/v3-hl7V3Conformance|2016-11-11 + references: 0, strongest binding: - #I: ignored - #NP: not permitted - #R: required @@ -41894,6 +42871,7 @@ Value Sets: 1082 (unversioned) - #RI: required for initiator - #U: undetermined - ValueSet: http://hl7.org/fhir/ValueSet/v3-HtmlLinkType|2016-11-11 + references: 0, strongest binding: - #alternate: alternate - #appendix: appendix - #bookmark: bookmark @@ -41910,15 +42888,18 @@ Value Sets: 1082 (unversioned) - #stylesheet: stylesheet - #subsection: subsection - ValueSet: http://hl7.org/fhir/ValueSet/v3-IdentifierReliability|2016-11-11 + references: 0, strongest binding: - #ISS: Issued by System - #UNV: Unverified by system - #VRF: Verified by system - ValueSet: http://hl7.org/fhir/ValueSet/v3-IdentifierScope|2016-11-11 + references: 0, strongest binding: - #BUSN: Business Identifier - #OBJ: Object Identifier - #VER: Version Identifier - #VW: View Specific Identifier - ValueSet: http://hl7.org/fhir/ValueSet/v3-InformationSensitivityPolicy|2014-03-26 + references: 0, strongest binding: - #_ActInformationSensitivityPolicy: ActInformationSensitivityPolicy - #_EntitySensitivityPolicyType: EntityInformationSensitivityPolicy - #_InformationSensitivityPolicy: InformationSensitivityPolicy @@ -41953,9 +42934,11 @@ Value Sets: 1082 (unversioned) - #STD: sexually transmitted disease information sensitivity - #TBOO: taboo - ValueSet: http://hl7.org/fhir/ValueSet/v3-IntegrityCheckAlgorithm|2016-11-11 + references: 0, strongest binding: - #SHA-1: secure hash algorithm - 1 - #SHA-256: secure hash algorithm - 256 - ValueSet: http://hl7.org/fhir/ValueSet/v3-LanguageAbilityMode|2016-11-11 + references: 0, strongest binding: - #ESGN: Expressed signed - #ESP: Expressed spoken - #EWR: Expressed written @@ -41963,11 +42946,13 @@ Value Sets: 1082 (unversioned) - #RSP: Received spoken - #RWR: Received written - ValueSet: http://hl7.org/fhir/ValueSet/v3-LanguageAbilityProficiency|2016-11-11 + references: 0, strongest binding: - #E: Excellent - #F: Fair - #G: Good - #P: Poor - ValueSet: http://hl7.org/fhir/ValueSet/v3-LivingArrangement|2016-11-11 + references: 0, strongest binding: - #CS: community shelter - #G: Group Home - #H: Independent Household @@ -41981,12 +42966,15 @@ Value Sets: 1082 (unversioned) - #T: Transient - #X: Extended care facility - ValueSet: http://hl7.org/fhir/ValueSet/v3-LocalMarkupIgnore|2016-11-11 + references: 0, strongest binding: - #all: all - #markup: markup - ValueSet: http://hl7.org/fhir/ValueSet/v3-LocalRemoteControlState|2016-11-11 + references: 0, strongest binding: - #L: Local - #R: Remote - ValueSet: http://hl7.org/fhir/ValueSet/v3-ManagedParticipationStatus|2016-11-11 + references: 0, strongest binding: - #active: active - #cancelled: cancelled - #completed: completed @@ -41994,10 +42982,12 @@ Value Sets: 1082 (unversioned) - #nullified: nullified - #pending: pending - ValueSet: http://hl7.org/fhir/ValueSet/v3-MapRelationship|2016-11-11 + references: 0, strongest binding: - #BT: Broader Than - #E: Exact - #NT: Narrower Than - ValueSet: http://hl7.org/fhir/ValueSet/v3-MaritalStatus|2016-11-11 + references: 0, strongest binding: - #A: Annulled - #D: Divorced - #I: Interlocutory @@ -42009,18 +42999,22 @@ Value Sets: 1082 (unversioned) - #U: unmarried - #W: Widowed - ValueSet: http://hl7.org/fhir/ValueSet/v3-MessageWaitingPriority|2016-11-11 + references: 0, strongest binding: - #H: High - #L: Low - #M: Medium - ValueSet: http://hl7.org/fhir/ValueSet/v3-MilitaryRoleType|2014-03-26 + references: 0, strongest binding: - #ACTMIL: active duty military - #MIL: military - #RETMIL: retired military - #VET: veteran - ValueSet: http://hl7.org/fhir/ValueSet/v3-ModifyIndicator|2016-11-11 + references: 0, strongest binding: - #M: Modified subscription - #N: New subscription - ValueSet: http://hl7.org/fhir/ValueSet/v3-NullFlavor|2016-11-11 + references: 0, strongest binding: - #ASKU: asked but unknown - #DER: derived - #INV: invalid @@ -42039,6 +43033,7 @@ Value Sets: 1082 (unversioned) - #UNC: un-encoded - #UNK: unknown - ValueSet: http://hl7.org/fhir/ValueSet/v3-ObligationPolicy|2014-03-26 + references: 0, strongest binding: - #ANONY: anonymize - #AOD: accounting of disclosure - #AUDIT: audit @@ -42069,6 +43064,7 @@ Value Sets: 1082 (unversioned) - #REDACT: redact - #UPGRDLABEL: upgrade security label - ValueSet: http://hl7.org/fhir/ValueSet/v3-ObservationInterpretation|2016-11-11 + references: 0, strongest binding: - #_GeneticObservationInterpretation: GeneticObservationInterpretation - #_ObservationInterpretationChange: ObservationInterpretationChange - #_ObservationInterpretationExceptions: ObservationInterpretationExceptions @@ -42126,6 +43122,7 @@ Value Sets: 1082 (unversioned) - #W: Worse - #WR: Weakly reactive - ValueSet: http://hl7.org/fhir/ValueSet/v3-ObservationMethod|2016-11-11 + references: 0, strongest binding: - #_DecisionObservationMethod: DecisionObservationMethod - #_GeneticObservationMethod: GeneticObservationMethod - #_ObservationMethodAggregate: observation method aggregate @@ -42431,6 +43428,7 @@ Value Sets: 1082 (unversioned) - #VTOKEN: electronic token verification - #VVOICE: voice-based verification - ValueSet: http://hl7.org/fhir/ValueSet/v3-ObservationType|2014-03-26 + references: 0, strongest binding: - #_ActAdministrativeAuthorizationDetectedIssueCode: ActAdministrativeAuthorizationDetectedIssueCode - #_ActAdministrativeDetectedIssueCode: ActAdministrativeDetectedIssueCode - #_ActAdministrativeRuleDetectedIssueCode: ActAdministrativeRuleDetectedIssueCode @@ -42705,6 +43703,7 @@ Value Sets: 1082 (unversioned) - #WATTRNS: water-borne transmission - #WGHT: - ValueSet: http://hl7.org/fhir/ValueSet/v3-ObservationValue|2016-11-11 + references: 0, strongest binding: - #_ActCoverageAssessmentObservationValue: ActCoverageAssessmentObservationValue - #_ActFinancialStatusObservationValue: ActFinancialStatusObservationValue - #_AllergyTestValue: AllergyTestValue @@ -42939,6 +43938,7 @@ Value Sets: 1082 (unversioned) - #VERSIONED: versioned - #WEIGHTSCR: Weighted Scoring - ValueSet: http://hl7.org/fhir/ValueSet/v3-orderableDrugForm|2016-11-11 + references: 0, strongest binding: - #_AdministrableDrugForm: AdministrableDrugForm - #_DispensableDrugForm: DispensableDrugForm - #_GasDrugForm: GasDrugForm @@ -43101,6 +44101,7 @@ Value Sets: 1082 (unversioned) - #VGELAPL: Vaginal Gel with Applicator - #WAFER: Wafer - ValueSet: http://hl7.org/fhir/ValueSet/v3-ParticipationFunction|2016-11-11 + references: 0, strongest binding: - #_AuthorizedParticipationFunction: AuthorizedParticipationFunction - #_AuthorizedReceiverParticipationFunction: AuthorizedReceiverParticipationFunction - #_ConsenterParticipationFunction: ConsenterParticipationFunction @@ -43151,6 +44152,7 @@ Value Sets: 1082 (unversioned) - #UMGT: utilization management - #UNDERWRTNG: underwriting - ValueSet: http://hl7.org/fhir/ValueSet/v3-ParticipationIndirectTarget|2014-03-26 + references: 0, strongest binding: - #BEN: beneficiary - #CAGNT: causative agent - #COV: coverage target @@ -43160,15 +44162,18 @@ Value Sets: 1082 (unversioned) - #RCT: record target - #RCV: receiver - ValueSet: http://hl7.org/fhir/ValueSet/v3-ParticipationInformationGenerator|2014-03-26 + references: 0, strongest binding: - #AUT: author (originator) - #ENT: data entry person - #INF: informant - #TRANS: Transcriber - #WIT: witness - ValueSet: http://hl7.org/fhir/ValueSet/v3-ParticipationInformationTranscriber|2014-03-26 + references: 0, strongest binding: - #ENT: data entry person - #TRANS: Transcriber - ValueSet: http://hl7.org/fhir/ValueSet/v3-ParticipationMode|2016-11-11 + references: 2, strongest binding: Example - #DICTATE: dictated - #ELECTRONIC: electronic data - #EMAILWRIT: email @@ -43185,15 +44190,18 @@ Value Sets: 1082 (unversioned) - #VIDEOCONF: videoconferencing - #WRITTEN: written - ValueSet: http://hl7.org/fhir/ValueSet/v3-ParticipationPhysicalPerformer|2014-03-26 + references: 0, strongest binding: - #DIST: distributor - #PPRF: primary performer - #PRF: performer - #SPRF: secondary performer - ValueSet: http://hl7.org/fhir/ValueSet/v3-ParticipationSignature|2016-11-11 + references: 0, strongest binding: - #I: intended - #S: signed - #X: required - ValueSet: http://hl7.org/fhir/ValueSet/v3-ParticipationTargetDirect|2014-03-26 + references: 0, strongest binding: - #ALY: analyte - #BBY: baby - #CAT: catalyst @@ -43212,6 +44220,7 @@ Value Sets: 1082 (unversioned) - #SPC: specimen - #TPA: therapeutic agent - ValueSet: http://hl7.org/fhir/ValueSet/v3-ParticipationTargetLocation|2014-03-26 + references: 0, strongest binding: - #DST: destination - #ELOC: entry location - #LOC: location @@ -43219,9 +44228,11 @@ Value Sets: 1082 (unversioned) - #RML: remote - #VIA: via - ValueSet: http://hl7.org/fhir/ValueSet/v3-ParticipationTargetSubject|2014-03-26 + references: 0, strongest binding: - #SBJ: subject - #SPC: specimen - ValueSet: http://hl7.org/fhir/ValueSet/v3-ParticipationType|2016-11-11 + references: 0, strongest binding: - #_ParticipationAncillary: ParticipationAncillary - #_ParticipationInformationGenerator: ParticipationInformationGenerator - #ADM: admitter @@ -43284,10 +44295,12 @@ Value Sets: 1082 (unversioned) - #VRF: verifier - #WIT: witness - ValueSet: http://hl7.org/fhir/ValueSet/v3-ParticipationVerifier|2014-03-26 + references: 0, strongest binding: - #AUTHEN: authenticator - #LA: legal authenticator - #VRF: verifier - ValueSet: http://hl7.org/fhir/ValueSet/v3-PatientImportance|2016-11-11 + references: 0, strongest binding: - #BM: Board Member - #DFM: Physician Family Member - #DR: Staff Physician @@ -43298,11 +44311,13 @@ Value Sets: 1082 (unversioned) - #STF: Staff Member - #VIP: Very Important Person - ValueSet: http://hl7.org/fhir/ValueSet/v3-PaymentTerms|2016-11-11 + references: 0, strongest binding: - #COD: Cash on Delivery - #N30: Net 30 days - #N60: Net 60 days - #N90: Net 90 days - ValueSet: http://hl7.org/fhir/ValueSet/v3-PersonalRelationshipRoleType|2014-03-26 + references: 0, strongest binding: - #ADOPTF: adoptive father - #ADOPTM: adoptive mother - #ADOPTP: adoptive parent @@ -43413,6 +44428,7 @@ Value Sets: 1082 (unversioned) - #UNCLE: uncle - #WIFE: wife - ValueSet: http://hl7.org/fhir/ValueSet/v3-PersonDisabilityType|2016-11-11 + references: 0, strongest binding: - #1: Vision impaired - #2: Hearing impaired - #3: Speech impaired @@ -43424,6 +44440,7 @@ Value Sets: 1082 (unversioned) - #WC: Requires wheelchair - #WK: Requires walker - ValueSet: http://hl7.org/fhir/ValueSet/v3-ProbabilityDistributionType|2016-11-11 + references: 0, strongest binding: - #B: beta - #E: exponential - #F: F @@ -43434,15 +44451,18 @@ Value Sets: 1082 (unversioned) - #U: uniform - #X2: chi square - ValueSet: http://hl7.org/fhir/ValueSet/v3-ProcessingID|2016-11-11 + references: 0, strongest binding: - #D: Debugging - #P: Production - #T: Training - ValueSet: http://hl7.org/fhir/ValueSet/v3-ProcessingMode|2016-11-11 + references: 0, strongest binding: - #A: Archive - #I: Initial load - #R: Restore from archive - #T: Current processing - ValueSet: http://hl7.org/fhir/ValueSet/v3-ProvenanceEventCurrentState-AS|2014-08-07 + references: 0, strongest binding: - #aborted: aborted - #cancelled: cancelled - #completed: completed @@ -43450,12 +44470,14 @@ Value Sets: 1082 (unversioned) - #nullified: nullified - #obsolete: obsolete - ValueSet: http://hl7.org/fhir/ValueSet/v3-ProvenanceEventCurrentState-DC|2014-08-07 + references: 0, strongest binding: - #AU: authenticated - #DI: dictated - #DO: documented - #LA: legally authenticated - #UC: unsigned completed document - ValueSet: http://hl7.org/fhir/ValueSet/v3-PurposeOfUse|2014-03-26 + references: 7, strongest binding: Extensible - #CAREMGT: Care Management - #CLINTRCH: clinical trial research - #CLINTRL: clinical trial @@ -43500,6 +44522,7 @@ Value Sets: 1082 (unversioned) - #TRAIN: training - #TREAT: treatment - ValueSet: http://hl7.org/fhir/ValueSet/v3-QueryParameterValue|2016-11-11 + references: 0, strongest binding: - #_DispenseQueryFilterCode: dispense query filter code - #_OrderFilterCode: _OrderFilterCode - #_PrescriptionDispenseFilterCode: Prescription Dispense Filter Code @@ -43517,23 +44540,28 @@ Value Sets: 1082 (unversioned) - #OWR: orders with results - #R: Dispensed with remaining fills - ValueSet: http://hl7.org/fhir/ValueSet/v3-QueryPriority|2016-11-11 + references: 0, strongest binding: - #D: Deferred - #I: Immediate - ValueSet: http://hl7.org/fhir/ValueSet/v3-QueryRequestLimit|2016-11-11 + references: 0, strongest binding: - #_QueryRequestLimit: QueryRequestLimit - #RD: record - ValueSet: http://hl7.org/fhir/ValueSet/v3-QueryResponse|2016-11-11 + references: 0, strongest binding: - #AE: ApplicationError - #NF: No data found - #OK: Data found - #QE: QueryParameterError - ValueSet: http://hl7.org/fhir/ValueSet/v3-QueryStatusCode|2016-11-11 + references: 0, strongest binding: - #aborted: aborted - #deliveredResponse: deliveredResponse - #executing: executing - #new: new - #waitContinuedQueryResponse: waitContinuedQueryResponse - ValueSet: http://hl7.org/fhir/ValueSet/v3-Race|2016-11-11 + references: 0, strongest binding: - #1002-5: American Indian or Alaska Native - #1004-1: American Indian - #1006-6: Abenaki @@ -44456,6 +45484,7 @@ Value Sets: 1082 (unversioned) - #2131-1: Other Race - #2500-7: Other Pacific Islander - ValueSet: http://hl7.org/fhir/ValueSet/v3-RefrainPolicy|2014-03-26 + references: 0, strongest binding: - #NOAUTH: no disclosure without subject authorization - #NOCOLLECT: no collection - #NODSCLCD: no disclosure without consent directive @@ -44475,6 +45504,7 @@ Value Sets: 1082 (unversioned) - #ORCON: no disclosure without originator authorization - #RefrainPolicy: refrain policy - ValueSet: http://hl7.org/fhir/ValueSet/v3-RelationalOperator|2016-11-11 + references: 0, strongest binding: - #CT: Contains - #EQ: Equal - #GE: Greater than or equal @@ -44484,10 +45514,12 @@ Value Sets: 1082 (unversioned) - #LT: Less than - #NE: Not Equal - ValueSet: http://hl7.org/fhir/ValueSet/v3-RelationshipConjunction|2016-11-11 + references: 0, strongest binding: - #AND: and - #OR: or - #XOR: exclusive or - ValueSet: http://hl7.org/fhir/ValueSet/v3-ReligiousAffiliation|2016-11-11 + references: 0, strongest binding: - #1001: Adventist - #1002: African Religions - #1003: Afro-Caribbean Religions @@ -44571,6 +45603,7 @@ Value Sets: 1082 (unversioned) - #1081: Unitarian Universalist - #1082: United Church of Christ - ValueSet: http://hl7.org/fhir/ValueSet/v3-ResponseLevel|2016-11-11 + references: 0, strongest binding: - #C: completion - #D: detail - #E: exception @@ -44579,14 +45612,17 @@ Value Sets: 1082 (unversioned) - #R: modification - #X: none - ValueSet: http://hl7.org/fhir/ValueSet/v3-ResponseModality|2016-11-11 + references: 0, strongest binding: - #B: Batch - #R: Real Time - #T: Bolus - ValueSet: http://hl7.org/fhir/ValueSet/v3-ResponseMode|2016-11-11 + references: 0, strongest binding: - #D: deferred - #I: immediate - #Q: queue - ValueSet: http://hl7.org/fhir/ValueSet/v3-RoleClass|2016-11-11 + references: 0, strongest binding: - #_RoleClassAssociative: RoleClassAssociative - #_RoleClassMutualRelationship: RoleClassMutualRelationship - #_RoleClassOntological: RoleClassOntological @@ -44700,6 +45736,7 @@ Value Sets: 1082 (unversioned) - #USED: used entity - #WRTE: warranted product - ValueSet: http://hl7.org/fhir/ValueSet/v3-RoleClassAgent|2014-03-26 + references: 0, strongest binding: - #AGNT: agent - #ASSIGNED: assigned entity - #COMPAR: commissioning party @@ -44709,6 +45746,7 @@ Value Sets: 1082 (unversioned) - #NOK: next of kin - #SGNOFF: signing authority or officer - ValueSet: http://hl7.org/fhir/ValueSet/v3-RoleClassAssociative|2014-03-26 + references: 0, strongest binding: - #_RoleClassMutualRelationship: RoleClassMutualRelationship - #_RoleClassPassive: RoleClassPassive - #_RoleClassRelationshipFormal: RoleClassRelationshipFormal @@ -44778,9 +45816,11 @@ Value Sets: 1082 (unversioned) - #USED: used entity - #WRTE: warranted product - ValueSet: http://hl7.org/fhir/ValueSet/v3-RoleClassManufacturedProduct|2014-03-26 + references: 0, strongest binding: - #MANU: manufactured product - #THER: therapeutic agent - ValueSet: http://hl7.org/fhir/ValueSet/v3-RoleClassMutualRelationship|2014-03-26 + references: 0, strongest binding: - #_RoleClassRelationshipFormal: RoleClassRelationshipFormal - #AFFL: affiliate - #AGNT: agent @@ -44822,6 +45862,7 @@ Value Sets: 1082 (unversioned) - #SUBSCR: subscriber - #UNDWRT: underwriter - ValueSet: http://hl7.org/fhir/ValueSet/v3-RoleClassPartitive|2014-03-26 + references: 0, strongest binding: - #ACTI: active ingredient - #ACTIB: active ingredient - basis of strength - #ACTIM: active ingredient - moiety is basis of strength @@ -44850,6 +45891,7 @@ Value Sets: 1082 (unversioned) - #STBL: stabilizer - #STOR: stored entity - ValueSet: http://hl7.org/fhir/ValueSet/v3-RoleClassPassive|2014-03-26 + references: 0, strongest binding: - #ACCESS: access - #ADJY: adjacency - #ADMM: Administerable Material @@ -44877,6 +45919,7 @@ Value Sets: 1082 (unversioned) - #USED: used entity - #WRTE: warranted product - ValueSet: http://hl7.org/fhir/ValueSet/v3-RoleClassRelationshipFormal|2014-03-26 + references: 0, strongest binding: - #AFFL: affiliate - #AGNT: agent - #ASSIGNED: assigned entity @@ -44914,6 +45957,7 @@ Value Sets: 1082 (unversioned) - #SUBSCR: subscriber - #UNDWRT: underwriter - ValueSet: http://hl7.org/fhir/ValueSet/v3-RoleClassRoot|2014-03-26 + references: 0, strongest binding: - #_RoleClassAssociative: RoleClassAssociative - #_RoleClassMutualRelationship: RoleClassMutualRelationship - #_RoleClassOntological: RoleClassOntological @@ -45021,14 +46065,17 @@ Value Sets: 1082 (unversioned) - #USED: used entity - #WRTE: warranted product - ValueSet: http://hl7.org/fhir/ValueSet/v3-RoleClassServiceDeliveryLocation|2014-03-26 + references: 0, strongest binding: - #DSDLOC: dedicated service delivery location - #ISDLOC: incidental service delivery location - #SDLOC: service delivery location - ValueSet: http://hl7.org/fhir/ValueSet/v3-RoleClassSpecimen|2014-03-26 + references: 0, strongest binding: - #ALQT: aliquot - #ISLT: isolate - #SPEC: specimen - ValueSet: http://hl7.org/fhir/ValueSet/v3-RoleCode|2016-11-11 + references: 0, strongest binding: - #_AdministrativeContactRoleType: AdministrativeContactRoleType - #_AffiliationRoleType: AffiliationRoleType - #_AgentRoleType: AgentRoleType @@ -45427,6 +46474,7 @@ Value Sets: 1082 (unversioned) - #WO: Working - #WORK: work site - ValueSet: http://hl7.org/fhir/ValueSet/v3-RoleLinkStatus|2016-11-11 + references: 0, strongest binding: - #ACTIVE: active - #CANCELLED: cancelled - #COMPLETED: completed @@ -45434,6 +46482,7 @@ Value Sets: 1082 (unversioned) - #NULLIFIED: nullified - #PENDING: pending - ValueSet: http://hl7.org/fhir/ValueSet/v3-RoleLinkType|2016-11-11 + references: 1, strongest binding: Example - #BACKUP: is backup for - #CONT: has contact - #DIRAUTH: has direct authority over @@ -45443,6 +46492,7 @@ Value Sets: 1082 (unversioned) - #REL: related - #REPL: replaces - ValueSet: http://hl7.org/fhir/ValueSet/v3-RoleStatus|2016-11-11 + references: 0, strongest binding: - #active: active - #cancelled: cancelled - #normal: normal @@ -45451,6 +46501,7 @@ Value Sets: 1082 (unversioned) - #suspended: suspended - #terminated: terminated - ValueSet: http://hl7.org/fhir/ValueSet/v3-RouteOfAdministration|2016-11-11 + references: 0, strongest binding: - #_AmnioticFluidSacRoute: AmnioticFluidSacRoute - #_BiliaryRoute: BiliaryRoute - #_BodySurfaceRoute: BodySurfaceRoute @@ -45838,6 +46889,7 @@ Value Sets: 1082 (unversioned) - #VENT: Inhalation, ventilator - #VENTMASK: Inhalation, ventimask - ValueSet: http://hl7.org/fhir/ValueSet/v3-SecurityIntegrityObservationValue|2014-03-26 + references: 0, strongest binding: - #_SECALTINTOBV: alteration integrity - #_SECDATINTOBV: data integrity - #_SECINTCONOBV: integrity confidence @@ -45878,6 +46930,7 @@ Value Sets: 1082 (unversioned) - #UNRELIABLE: unreliable - #VERSIONED: versioned - ValueSet: http://hl7.org/fhir/ValueSet/v3-SecurityPolicy|2014-03-26 + references: 0, strongest binding: - #ANONY: anonymize - #AOD: accounting of disclosure - #AUDIT: audit @@ -45927,10 +46980,12 @@ Value Sets: 1082 (unversioned) - #SecurityPolicy: security policy - #UPGRDLABEL: upgrade security label - ValueSet: http://hl7.org/fhir/ValueSet/v3-Sequencing|2016-11-11 + references: 0, strongest binding: - #A: Ascending - #D: Descending - #N: None - ValueSet: http://hl7.org/fhir/ValueSet/v3-ServiceDeliveryLocationRoleType|2014-03-26 + references: 1, strongest binding: Extensible - #_DedicatedClinicalLocationRoleType: DedicatedClinicalLocationRoleType - #_DedicatedNonClinicalLocationRoleType: DedicatedNonClinicalLocationRoleType - #_DedicatedServiceDeliveryLocationRoleType: DedicatedServiceDeliveryLocationRoleType @@ -46059,6 +47114,7 @@ Value Sets: 1082 (unversioned) - #WND: Wound clinic - #WORK: work site - ValueSet: http://hl7.org/fhir/ValueSet/v3-SetOperator|2016-11-11 + references: 0, strongest binding: - #_ValueSetOperator: ValueSetOperator - #A: intersect - #E: exclude @@ -46066,10 +47122,12 @@ Value Sets: 1082 (unversioned) - #I: include - #P: periodic hull - ValueSet: http://hl7.org/fhir/ValueSet/v3-SeverityObservation|2014-03-26 + references: 0, strongest binding: - #H: High - #L: Low - #M: Moderate - ValueSet: http://hl7.org/fhir/ValueSet/v3-SpecimenType|2016-11-11 + references: 0, strongest binding: - #_SpecimenEntityType: SpecimenEntityType - #ABS: Abcess - #AMN: Amniotic fluid @@ -46195,6 +47253,7 @@ Value Sets: 1082 (unversioned) - #WNDD: Wound drainage - #WNDE: Wound exudate - ValueSet: http://hl7.org/fhir/ValueSet/v3-substanceAdminSubstitution|2016-11-11 + references: 0, strongest binding: - #_ActSubstanceAdminSubstitutionCode: ActSubstanceAdminSubstitutionCode - #BC: brand composition - #E: equivalent @@ -46206,33 +47265,39 @@ Value Sets: 1082 (unversioned) - #TE: therapeutic alternative - #TG: therapeutic generic - ValueSet: http://hl7.org/fhir/ValueSet/v3-SubstanceAdminSubstitutionReason|2014-03-26 + references: 2, strongest binding: Example - #CT: continuing therapy - #FP: formulary policy - #OS: out of stock - #RR: regulatory requirement - ValueSet: http://hl7.org/fhir/ValueSet/v3-SubstitutionCondition|2016-11-11 + references: 0, strongest binding: - #_Conditional: Conditional - #CONFIRM: Confirm first - #NOSUB: No substitution - #NOTIFY: Notify first - #UNCOND: Unconditional - ValueSet: http://hl7.org/fhir/ValueSet/v3-TableCellHorizontalAlign|2016-11-11 + references: 0, strongest binding: - #center: center - #char: char - #justify: justify - #left: left - #right: right - ValueSet: http://hl7.org/fhir/ValueSet/v3-TableCellScope|2016-11-11 + references: 0, strongest binding: - #col: col - #colgroup: colgroup - #row: row - #rowgroup: rowgroup - ValueSet: http://hl7.org/fhir/ValueSet/v3-TableCellVerticalAlign|2016-11-11 + references: 0, strongest binding: - #baseline: baseline - #bottom: bottom - #middle: middle - #top: top - ValueSet: http://hl7.org/fhir/ValueSet/v3-TableFrame|2016-11-11 + references: 0, strongest binding: - #above: above - #below: below - #border: border @@ -46243,12 +47308,14 @@ Value Sets: 1082 (unversioned) - #void: void - #vsides: vsides - ValueSet: http://hl7.org/fhir/ValueSet/v3-TableRules|2016-11-11 + references: 0, strongest binding: - #all: all - #cols: cols - #groups: groups - #none: none - #rows: rows - ValueSet: http://hl7.org/fhir/ValueSet/v3-TargetAwareness|2016-11-11 + references: 0, strongest binding: - #D: denying - #F: full awareness - #I: incapable @@ -46256,12 +47323,14 @@ Value Sets: 1082 (unversioned) - #P: partial - #U: uninformed - ValueSet: http://hl7.org/fhir/ValueSet/v3-TelecommunicationCapabilities|2016-11-11 + references: 0, strongest binding: - #data: data - #fax: fax - #sms: sms - #tty: text - #voice: voice - ValueSet: http://hl7.org/fhir/ValueSet/v3-TimingEvent|2016-11-11 + references: 0, strongest binding: - #AC: AC - #ACD: ACD - #ACM: ACM @@ -46281,8 +47350,10 @@ Value Sets: 1082 (unversioned) - #PCV: PCV - #WAKE: WAKE - ValueSet: http://hl7.org/fhir/ValueSet/v3-TransmissionRelationshipTypeCode|2016-11-11 + references: 0, strongest binding: - #SEQL: sequence - ValueSet: http://hl7.org/fhir/ValueSet/v3-TribalEntityUS|2016-11-11 + references: 0, strongest binding: - #_NativeEntityAlaska: NativeEntityAlaska - #_NativeEntityContiguous: NativeEntityContiguous - #1: Absentee-Shawnee Tribe of Indians of Oklahoma @@ -46852,6 +47923,7 @@ Value Sets: 1082 (unversioned) - #98: Guidiville Rancheria of California - #99: Hannahville Indian Community of Wisconsin Potawato - ValueSet: http://hl7.org/fhir/ValueSet/v3-VaccineManufacturer|2016-11-11 + references: 0, strongest binding: - #AB: Abbott Laboratories (includes Ross Products Division) - #AD: Adams Laboratories - #ALP: Alpha Therapeutic Corporation @@ -46893,25 +47965,30 @@ Value Sets: 1082 (unversioned) - #WA: Wyeth-Ayerst [Inactive - use WAL] - #WAL: Wyeth-Ayerst (includes Wyeth-Lederle Vaccines and Pediatrics, Wyeth Laboratories, Lederle Laboratories, and Praxis Biologics) - ValueSet: http://hl7.org/fhir/ValueSet/v3-VerificationMethod|2014-03-26 + references: 0, strongest binding: - #_VerificationMethod: VerificationMethod - #VDOC: document verification - #VREG: registry verification - #VTOKEN: electronic token verification - #VVOICE: voice-based verification - ValueSet: http://hl7.org/fhir/ValueSet/v3-xBasicConfidentialityKind|2014-03-26 + references: 0, strongest binding: - #N: normal - #R: restricted - #V: very restricted - ValueSet: http://hl7.org/fhir/ValueSet/vaccination-protocol-dose-status|3.0.2 + references: 1, strongest binding: Example - #count: Counts - #nocount: Does not Count - ValueSet: http://hl7.org/fhir/ValueSet/vaccination-protocol-dose-status-reason|3.0.2 + references: 1, strongest binding: Example - #advstorage: Adverse storage condition - #coldchbrk: Cold chain break - #explot: Expired lot - #outsidesched: Administered outside recommended schedule - #prodrecall: Product recall - ValueSet: http://hl7.org/fhir/ValueSet/vaccination-protocol-dose-target|3.0.2 + references: 1, strongest binding: Example - #14189004: - #1857005: - #27836007: @@ -46922,21 +47999,26 @@ Value Sets: 1082 (unversioned) - #709410003: - #76902006: - ValueSet: http://hl7.org/fhir/ValueSet/variant-state|3.0.2 + references: 0, strongest binding: - #absent: absent - #negative: negative - #positive: positive - ValueSet: http://hl7.org/fhir/ValueSet/versioning-policy|3.0.2 + references: 1, strongest binding: Required - #no-version: No VersionId Support - #versioned: Versioned - #versioned-update: VersionId tracked fully - ValueSet: http://hl7.org/fhir/ValueSet/vision-base-codes|3.0.2 + references: 1, strongest binding: Required - #down: Down - #in: In - #out: Out - #up: Up - ValueSet: http://hl7.org/fhir/ValueSet/vision-eye-codes|3.0.2 + references: 1, strongest binding: Required - #left: Left Eye - #right: Right Eye - ValueSet: http://hl7.org/fhir/ValueSet/vision-product|3.0.2 + references: 1, strongest binding: Example - #contact: Contact Lens - #lens: Lens diff --git a/generated/Info_R4.txt b/generated/Info_R4.txt index 2ce01b196..f722ca9d3 100644 --- a/generated/Info_R4.txt +++ b/generated/Info_R4.txt @@ -17962,15 +17962,18 @@ All Interaction Parameters: 2 ?_pretty=string (_pretty) Value Sets: 1193 (unversioned) - ValueSet: http://hl7.org/fhir/ValueSet/abstract-types|4.0.1 + references: 0, strongest binding: - #Any: Any - #Type: Type - ValueSet: http://hl7.org/fhir/ValueSet/account-status|4.0.1 + references: 1, strongest binding: Required - #active: Active - #entered-in-error: Entered in error - #inactive: Inactive - #on-hold: On Hold - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/account-type|4.0.1 + references: 1, strongest binding: Example - #_ActAccountCode: ActAccountCode - #ACCTRECEIVABLE: account receivable - #AE: American Express @@ -17982,25 +17985,31 @@ Value Sets: 1193 (unversioned) - #PBILLACCT: patient billing account - #V: Visa - ValueSet: http://hl7.org/fhir/ValueSet/action-cardinality-behavior|4.0.1 + references: 2, strongest binding: Required - #multiple: Multiple - #single: Single - ValueSet: http://hl7.org/fhir/ValueSet/action-condition-kind|4.0.1 + references: 2, strongest binding: Required - #applicability: Applicability - #start: Start - #stop: Stop - ValueSet: http://hl7.org/fhir/ValueSet/action-grouping-behavior|4.0.1 + references: 2, strongest binding: Required - #logical-group: Logical Group - #sentence-group: Sentence Group - #visual-group: Visual Group - ValueSet: http://hl7.org/fhir/ValueSet/action-participant-type|4.0.1 + references: 2, strongest binding: Required - #device: Device - #patient: Patient - #practitioner: Practitioner - #related-person: Related Person - ValueSet: http://hl7.org/fhir/ValueSet/action-precheck-behavior|4.0.1 + references: 2, strongest binding: Required - #no: No - #yes: Yes - ValueSet: http://hl7.org/fhir/ValueSet/action-relationship-type|4.0.1 + references: 2, strongest binding: Required - #after: After - #after-end: After End - #after-start: After Start @@ -18011,10 +18020,12 @@ Value Sets: 1193 (unversioned) - #concurrent-with-end: Concurrent With End - #concurrent-with-start: Concurrent With Start - ValueSet: http://hl7.org/fhir/ValueSet/action-required-behavior|4.0.1 + references: 2, strongest binding: Required - #could: Could - #must: Must - #must-unless-documented: Must Unless Documented - ValueSet: http://hl7.org/fhir/ValueSet/action-selection-behavior|4.0.1 + references: 2, strongest binding: Required - #all: All - #all-or-none: All Or None - #any: Any @@ -18022,15 +18033,18 @@ Value Sets: 1193 (unversioned) - #exactly-one: Exactly One - #one-or-more: One Or More - ValueSet: http://hl7.org/fhir/ValueSet/action-type|4.0.1 + references: 2, strongest binding: Extensible - #create: Create - #fire-event: Fire Event - #remove: Remove - #update: Update - ValueSet: http://hl7.org/fhir/ValueSet/activity-definition-category|4.0.1 + references: 0, strongest binding: - #assessment: Assessment - #education: Education - #treatment: Treatment - ValueSet: http://hl7.org/fhir/ValueSet/additionalmaterials|4.0.1 + references: 0, strongest binding: - #document: Document - #email: Email - #image: Image @@ -18038,16 +18052,19 @@ Value Sets: 1193 (unversioned) - #other: Other - #xray: XRay - ValueSet: http://hl7.org/fhir/ValueSet/address-type|4.0.1 + references: 1, strongest binding: Required - #both: Postal & Physical - #physical: Physical - #postal: Postal - ValueSet: http://hl7.org/fhir/ValueSet/address-use|4.0.1 + references: 1, strongest binding: Required - #billing: Billing - #home: Home - #old: Old / Incorrect - #temp: Temporary - #work: Work - ValueSet: http://hl7.org/fhir/ValueSet/adjudication|4.0.1 + references: 4, strongest binding: Example - #benefit: Benefit Amount - #copay: CoPay - #deductible: Deductible @@ -18057,20 +18074,25 @@ Value Sets: 1193 (unversioned) - #tax: Tax - #unallocdeduct: Unallocated Deductible - ValueSet: http://hl7.org/fhir/ValueSet/adjudication-error|4.0.1 + references: 2, strongest binding: Example - #a001: Missing Identifier - #a002: Missing Creation Date - ValueSet: http://hl7.org/fhir/ValueSet/adjudication-reason|4.0.1 + references: 2, strongest binding: Example - #ar001: Not covered - #ar002: Plan Limit Reached - ValueSet: http://hl7.org/fhir/ValueSet/administrative-gender|4.0.1 + references: 7, strongest binding: Required - #female: Female - #male: Male - #other: Other - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/adverse-event-actuality|4.0.1 + references: 1, strongest binding: Required - #actual: Adverse Event - #potential: Potential Adverse Event - ValueSet: http://hl7.org/fhir/ValueSet/adverse-event-category|4.0.1 + references: 1, strongest binding: Extensible - #expired-drug: Expired Drug - #incorrect-prescribing-information: Incorrect Prescribing Information - #medical-device-use-error: Medical Device Use Error @@ -18086,6 +18108,7 @@ Value Sets: 1193 (unversioned) - #wrong-technique: Wrong Technique - #wrong-time: Wrong Time - ValueSet: http://hl7.org/fhir/ValueSet/adverse-event-causality-assess|4.0.1 + references: 1, strongest binding: Example - #Certain: Certain - #Conditional-Classified: Conditional/Classified - #Possible: Possible @@ -18093,10 +18116,12 @@ Value Sets: 1193 (unversioned) - #Unassessable-Unclassifiable: Unassessable/Unclassifiable - #Unlikely: Unlikely - ValueSet: http://hl7.org/fhir/ValueSet/adverse-event-causality-method|4.0.1 + references: 1, strongest binding: Example - #Bayesian: Bayesian - #Checklist: Checklist - #ProbabilityScale: Probability Scale - ValueSet: http://hl7.org/fhir/ValueSet/adverse-event-outcome|4.0.1 + references: 1, strongest binding: Required - #fatal: Fatal - #ongoing: Ongoing - #recovering: Recovering @@ -18104,6 +18129,7 @@ Value Sets: 1193 (unversioned) - #resolvedWithSequelae: Resolved with Sequelae - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/adverse-event-seriousness|4.0.1 + references: 1, strongest binding: Example - #Non-serious: Non-serious - #Serious: Serious - #SeriousIsBirthDefect: Is a congenital anomaly/birth defect @@ -18113,10 +18139,12 @@ Value Sets: 1193 (unversioned) - #SeriousResultsInDisability: Results in persistent or significant disability/incapacity - #SeriousResultsInHospitalization: Requires or prolongs inpatient hospitalization - ValueSet: http://hl7.org/fhir/ValueSet/adverse-event-severity|4.0.1 + references: 1, strongest binding: Required - #mild: Mild - #moderate: Moderate - #severe: Severe - ValueSet: http://hl7.org/fhir/ValueSet/age-units|4.0.1 + references: 0, strongest binding: - #a: years - #d: days - #h: hours @@ -18124,30 +18152,37 @@ Value Sets: 1193 (unversioned) - #mo: months - #wk: weeks - ValueSet: http://hl7.org/fhir/ValueSet/allerg-intol-substance-exp-risk|4.0.1 + references: 0, strongest binding: - #known-reaction-risk: Known Reaction Risk - #no-known-reaction-risk: No Known Reaction Risk - ValueSet: http://hl7.org/fhir/ValueSet/allergy-intolerance-category|4.0.1 + references: 1, strongest binding: Required - #biologic: Biologic - #environment: Environment - #food: Food - #medication: Medication - ValueSet: http://hl7.org/fhir/ValueSet/allergyintolerance-clinical|4.0.1 + references: 1, strongest binding: Required - #active: Active - #inactive: Inactive - #resolved: Resolved - ValueSet: http://hl7.org/fhir/ValueSet/allergy-intolerance-criticality|4.0.1 + references: 1, strongest binding: Required - #high: High Risk - #low: Low Risk - #unable-to-assess: Unable to Assess Risk - ValueSet: http://hl7.org/fhir/ValueSet/allergy-intolerance-type|4.0.1 + references: 1, strongest binding: Required - #allergy: Allergy - #intolerance: Intolerance - ValueSet: http://hl7.org/fhir/ValueSet/allergyintolerance-verification|4.0.1 + references: 1, strongest binding: Required - #confirmed: Confirmed - #entered-in-error: Entered in Error - #refuted: Refuted - #unconfirmed: Unconfirmed - ValueSet: http://hl7.org/fhir/ValueSet/all-types|4.0.1 + references: 3, strongest binding: Required - #Account: Account - #ActivityDefinition: ActivityDefinition - #Address: Address @@ -18362,6 +18397,7 @@ Value Sets: 1193 (unversioned) - #VisionPrescription: VisionPrescription - #xhtml: XHTML - ValueSet: http://hl7.org/fhir/ValueSet/animal-breeds|4.0.1 + references: 0, strongest binding: - #1006005: Percheron horse (organism) - #10261003: Belgium landrace pig (organism) - #10643004: Arucana chicken (organism) @@ -20733,10 +20769,12 @@ Value Sets: 1193 (unversioned) - #9277006: Polled Hereford (organism) - #944009: Brown Welsh cattle breed (organism) - ValueSet: http://hl7.org/fhir/ValueSet/animal-genderstatus|4.0.1 + references: 0, strongest binding: - #intact: Intact - #neutered: Neutered - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/animal-species|4.0.1 + references: 1, strongest binding: Example - #125097000: goat - #125099002: sheep - #132950000: mule @@ -20748,6 +20786,7 @@ Value Sets: 1193 (unversioned) - #47290002: chicken - #85626006: donkey - ValueSet: http://hl7.org/fhir/ValueSet/appointment-cancellation-reason|4.0.1 + references: 1, strongest binding: Example - #maint: Equipment Maintenance/Repair - #meds-inc: Prep/Med Incomplete - #oth-cms: Other: CMS Therapy Cap Service Not Authorized @@ -20781,6 +20820,7 @@ Value Sets: 1193 (unversioned) - #prov-onc: Provider: Oncology Treatment Plan Changes - #prov-pers: Provider: Personal - ValueSet: http://hl7.org/fhir/ValueSet/appointmentstatus|4.0.1 + references: 1, strongest binding: Required - #arrived: Arrived - #booked: Booked - #cancelled: Cancelled @@ -20792,9 +20832,11 @@ Value Sets: 1193 (unversioned) - #proposed: Proposed - #waitlist: Waitlisted - ValueSet: http://hl7.org/fhir/ValueSet/assert-direction-codes|4.0.1 + references: 1, strongest binding: Required - #request: request - #response: response - ValueSet: http://hl7.org/fhir/ValueSet/assert-operator-codes|4.0.1 + references: 1, strongest binding: Required - #contains: contains - #empty: empty - #equals: equals @@ -20807,6 +20849,7 @@ Value Sets: 1193 (unversioned) - #notEquals: notEquals - #notIn: notIn - ValueSet: http://hl7.org/fhir/ValueSet/assert-response-code-types|4.0.1 + references: 1, strongest binding: Required - #bad: bad - #conflict: conflict - #created: created @@ -20820,8 +20863,10 @@ Value Sets: 1193 (unversioned) - #preconditionFailed: preconditionFailed - #unprocessable: unprocessable - ValueSet: http://hl7.org/fhir/ValueSet/asset-availability|4.0.1 + references: 1, strongest binding: Example - #lease: Lease - ValueSet: http://hl7.org/fhir/ValueSet/audit-entity-type|4.0.1 + references: 1, strongest binding: Extensible - #1: Person - #2: System Object - #3: Organization @@ -20975,17 +21020,20 @@ Value Sets: 1193 (unversioned) - #VerificationResult: VerificationResult - #VisionPrescription: VisionPrescription - ValueSet: http://hl7.org/fhir/ValueSet/audit-event-action|4.0.1 + references: 1, strongest binding: Required - #C: Create - #D: Delete - #E: Execute - #R: Read/View/Print - #U: Update - ValueSet: http://hl7.org/fhir/ValueSet/audit-event-outcome|4.0.1 + references: 1, strongest binding: Required - #0: Success - #12: Major failure - #4: Minor failure - #8: Serious failure - ValueSet: http://hl7.org/fhir/ValueSet/audit-event-sub-type|4.0.1 + references: 1, strongest binding: Extensible - #110120: Application Start - #110121: Application Stop - #110122: Login @@ -21027,6 +21075,7 @@ Value Sets: 1193 (unversioned) - #update: update - #vread: vread - ValueSet: http://hl7.org/fhir/ValueSet/audit-event-type|4.0.1 + references: 1, strongest binding: Extensible - #110100: Application Activity - #110101: Audit Log Used - #110102: Begin Transferring DICOM Instances @@ -21071,6 +21120,7 @@ Value Sets: 1193 (unversioned) - #unmerge: Unmerge Record Lifecycle Event - #verify: Verify Record Lifecycle Event - ValueSet: http://hl7.org/fhir/ValueSet/audit-source-type|4.0.1 + references: 1, strongest binding: Extensible - #1: User Device - #2: Data Interface - #3: Web Server @@ -21081,6 +21131,7 @@ Value Sets: 1193 (unversioned) - #8: Network Router - #9: Other - ValueSet: http://hl7.org/fhir/ValueSet/basic-resource-type|4.0.1 + references: 1, strongest binding: Example - #account: Account - #adjudicat: Invoice Adjudication - #adminact: Administrative Activity @@ -21098,13 +21149,16 @@ Value Sets: 1193 (unversioned) - #study: Study - #transfer: Transfer - ValueSet: http://hl7.org/fhir/ValueSet/benefit-network|4.0.1 + references: 2, strongest binding: Example - #in: In Network - #out: Out of Network - ValueSet: http://hl7.org/fhir/ValueSet/benefit-term|4.0.1 + references: 2, strongest binding: Example - #annual: Annual - #day: Day - #lifetime: Lifetime - ValueSet: http://hl7.org/fhir/ValueSet/benefit-type|4.0.1 + references: 2, strongest binding: Example - #benefit: Benefit - #copay: Copayment per service - #copay-maximum: Copayment maximum per service @@ -21118,18 +21172,22 @@ Value Sets: 1193 (unversioned) - #vision-glasses: Vision Glasses - #visit: Visit - ValueSet: http://hl7.org/fhir/ValueSet/benefit-unit|4.0.1 + references: 2, strongest binding: Example - #family: Family - #individual: Individual - ValueSet: http://hl7.org/fhir/ValueSet/binding-strength|4.0.1 + references: 2, strongest binding: Required - #example: Example - #extensible: Extensible - #preferred: Preferred - #required: Required - ValueSet: http://hl7.org/fhir/ValueSet/bodysite-laterality|4.0.1 + references: 1, strongest binding: Example - #419161000: Unilateral left - #419465000: Unilateral right - #51440002: Bilateral - ValueSet: http://hl7.org/fhir/ValueSet/bodystructure-relative-location|4.0.1 + references: 1, strongest binding: Example - #255551008: Posterior - #255561001: Medial - #261089000: Inferior @@ -21143,6 +21201,7 @@ Value Sets: 1193 (unversioned) - #49370004: Lateral - #51440002: Bilateral - ValueSet: http://hl7.org/fhir/ValueSet/bundle-type|4.0.1 + references: 1, strongest binding: Required - #batch: Batch - #batch-response: Batch Response - #collection: Collection @@ -21153,6 +21212,7 @@ Value Sets: 1193 (unversioned) - #transaction: Transaction - #transaction-response: Transaction Response - ValueSet: http://hl7.org/fhir/ValueSet/c80-doc-typecodes|4.0.1 + references: 1, strongest binding: Preferred - #11206-0: 18-Hydroxydeoxycorticosterone [Mass/volume] in Serum or Plasma - #11485-0: Anesthesia records - #11486-8: Chemotherapy records @@ -27555,6 +27615,7 @@ Value Sets: 1193 (unversioned) - #74480-5: Clinical document Subject matter domain from LOINC Document Ontology - #8653-8: Hospital Discharge instructions - ValueSet: http://hl7.org/fhir/ValueSet/c80-facilitycodes|4.0.1 + references: 1, strongest binding: Example - #10206005: Hospital outpatient dental clinic - #10531005: Free-standing ambulatory surgery facility - #11424001: Ambulance-based care @@ -27635,6 +27696,7 @@ Value Sets: 1193 (unversioned) - #90484001: Hospital outpatient general surgery clinic - #91154008: Free-standing birthing center - ValueSet: http://hl7.org/fhir/ValueSet/c80-practice-codes|4.0.1 + references: 7, strongest binding: Preferred - #394539006: Pediatric surgery - #394576009: Surgical-Accident & emergency - #394577000: Anesthetics @@ -27751,10 +27813,12 @@ Value Sets: 1193 (unversioned) - #421661004: Blood banking and transfusion medicine - #422191005: Ophthalmic surgery - ValueSet: http://hl7.org/fhir/ValueSet/capability-statement-kind|4.0.1 + references: 2, strongest binding: Required - #capability: Capability - #instance: Instance - #requirements: Requirements - ValueSet: http://hl7.org/fhir/ValueSet/care-plan-activity-kind|4.0.1 + references: 1, strongest binding: Required - #Appointment: Appointment - #CommunicationRequest: CommunicationRequest - #DeviceRequest: DeviceRequest @@ -27764,6 +27828,7 @@ Value Sets: 1193 (unversioned) - #Task: Task - #VisionPrescription: VisionPrescription - ValueSet: http://hl7.org/fhir/ValueSet/care-plan-activity-status|4.0.1 + references: 1, strongest binding: Required - #cancelled: Cancelled - #completed: Completed - #entered-in-error: Entered in Error @@ -27774,25 +27839,30 @@ Value Sets: 1193 (unversioned) - #stopped: Stopped - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/care-plan-intent|4.0.1 + references: 1, strongest binding: Required - #option: Option - #order: Order - #plan: Plan - #proposal: Proposal - ValueSet: http://hl7.org/fhir/ValueSet/care-team-status|4.0.1 + references: 1, strongest binding: Required - #active: Active - #entered-in-error: Entered in Error - #inactive: Inactive - #proposed: Proposed - #suspended: Suspended - ValueSet: http://hl7.org/fhir/ValueSet/catalogType|4.0.1 + references: 1, strongest binding: Example - #device: Device Catalog - #medication: Medication Catalog - #protocol: Protocol List - ValueSet: http://hl7.org/fhir/ValueSet/cdshooks-indicator|4.0.1 + references: 0, strongest binding: - #critical: The response is critical and indicates the workflow should not be allowed to proceed - #info: The response is informational - #warning: The response is a warning - ValueSet: http://hl7.org/fhir/ValueSet/certainty-subcomponent-rating|4.0.1 + references: 2, strongest binding: Extensible - #absent: absent - #critical-concern: critical concern - #downcode1: reduce rating: -1 @@ -27805,6 +27875,7 @@ Value Sets: 1193 (unversioned) - #upcode1: increase rating: +1 - #upcode2: increase rating: +2 - ValueSet: http://hl7.org/fhir/ValueSet/certainty-subcomponent-type|4.0.1 + references: 2, strongest binding: Extensible - #DoseResponseGradient: Dose response gradient - #Imprecision: Imprecision - #Inconsistency: Inconsistency @@ -27814,10 +27885,12 @@ Value Sets: 1193 (unversioned) - #PublicationBias: Publication bias - #RiskOfBias: Risk of bias - ValueSet: http://hl7.org/fhir/ValueSet/chargeitem-billingcodes|4.0.1 + references: 2, strongest binding: Example - #1100: Unvorhergesehene Inanspruchnahme - #1210: Notfallpauschale - #1320: Grundpauschale - ValueSet: http://hl7.org/fhir/ValueSet/chargeitem-status|4.0.1 + references: 1, strongest binding: Required - #aborted: Aborted - #billable: Billable - #billed: Billed @@ -27826,9 +27899,11 @@ Value Sets: 1193 (unversioned) - #planned: Planned - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/choice-list-orientation|4.0.1 + references: 1, strongest binding: Required - #horizontal: Horizontal - #vertical: Vertical - ValueSet: http://hl7.org/fhir/ValueSet/chromosome-human|4.0.1 + references: 1, strongest binding: Example - #1: chromosome 1 - #10: chromosome 10 - #11: chromosome 11 @@ -27854,14 +27929,17 @@ Value Sets: 1193 (unversioned) - #X: chromosome X - #Y: chromosome Y - ValueSet: http://hl7.org/fhir/ValueSet/claim-careteamrole|4.0.1 + references: 2, strongest binding: Example - #assist: Assisting Provider - #other: Other - #primary: Primary provider - #supervisor: Supervising Provider - ValueSet: http://hl7.org/fhir/ValueSet/claim-exception|4.0.1 + references: 2, strongest binding: Example - #disabled: Disabled - #student: Student (Fulltime) - ValueSet: http://hl7.org/fhir/ValueSet/claim-informationcategory|4.0.1 + references: 2, strongest binding: Example - #attachment: Attachment - #discharge: Discharge - #employmentimpacted: EmploymentImpacted @@ -27877,6 +27955,7 @@ Value Sets: 1193 (unversioned) - #prosthesis: Prosthesis - #related: Related Services - ValueSet: http://hl7.org/fhir/ValueSet/claim-modifiers|4.0.1 + references: 14, strongest binding: Example - #a: Repair of prior service or installation - #b: Temporary service or installation - #c: TMJ treatment @@ -27884,50 +27963,61 @@ Value Sets: 1193 (unversioned) - #rooh: Rush or Outside of office hours - #x: None - ValueSet: http://hl7.org/fhir/ValueSet/claim-subtype|4.0.1 + references: 3, strongest binding: Example - #emergency: Emergency Claim - #ortho: Orthodontic Claim - ValueSet: http://hl7.org/fhir/ValueSet/claim-type|4.0.1 + references: 3, strongest binding: Extensible - #institutional: Institutional - #oral: Oral - #pharmacy: Pharmacy - #professional: Professional - #vision: Vision - ValueSet: http://hl7.org/fhir/ValueSet/claim-use|4.0.1 + references: 3, strongest binding: Required - #claim: Claim - #preauthorization: Preauthorization - #predetermination: Predetermination - ValueSet: http://hl7.org/fhir/ValueSet/clinicalimpression-status|4.0.1 + references: 1, strongest binding: Required - #completed: Completed - #entered-in-error: Entered in Error - #in-progress: In Progress - ValueSet: http://hl7.org/fhir/ValueSet/code-search-support|4.0.1 + references: 1, strongest binding: Required - #all: Implicit Codes - #explicit: Explicit Codes - ValueSet: http://hl7.org/fhir/ValueSet/codesystem-altcode-kind|4.0.1 + references: 0, strongest binding: - #alternate: Alternate Code - #case-insensitive: Case Insensitive - #case-sensitive: Case Sensitive - #deprecated: Deprecated - #expression: Expression - ValueSet: http://hl7.org/fhir/ValueSet/codesystem-content-mode|4.0.1 + references: 1, strongest binding: Required - #complete: Complete - #example: Example - #fragment: Fragment - #not-present: Not Present - #supplement: Supplement - ValueSet: http://hl7.org/fhir/ValueSet/codesystem-hierarchy-meaning|4.0.1 + references: 1, strongest binding: Required - #classified-with: Classified With - #grouped-by: Grouped By - #is-a: Is-A - #part-of: Part Of - ValueSet: http://hl7.org/fhir/ValueSet/common-tags|4.0.1 + references: 1, strongest binding: Example - #actionable: Actionable - ValueSet: http://hl7.org/fhir/ValueSet/communication-category|4.0.1 + references: 2, strongest binding: Example - #alert: Alert - #instruction: Instruction - #notification: Notification - #reminder: Reminder - ValueSet: http://hl7.org/fhir/ValueSet/communication-not-done-reason|4.0.1 + references: 1, strongest binding: Example - #family-objection: Family Objection - #invalid-phone-number: Invalid Phone Number - #patient-objection: Patient Objection @@ -27935,6 +28025,7 @@ Value Sets: 1193 (unversioned) - #system-error: System Error - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/communication-topic|4.0.1 + references: 1, strongest binding: Example - #appointment-reminder: Appointment Reminder - #phone-consult: Phone Consult - #prescription-refill-request: Prescription Refill Request @@ -27942,33 +28033,39 @@ Value Sets: 1193 (unversioned) - #report-labs: Report Labs - #summary-report: Summary Report - ValueSet: http://hl7.org/fhir/ValueSet/compartment-type|4.0.1 + references: 2, strongest binding: Required - #Device: Device - #Encounter: Encounter - #Patient: Patient - #Practitioner: Practitioner - #RelatedPerson: RelatedPerson - ValueSet: http://hl7.org/fhir/ValueSet/composite-measure-scoring|4.0.1 + references: 1, strongest binding: Extensible - #all-or-nothing: All-or-nothing - #linear: Linear - #opportunity: Opportunity - #weighted: Weighted - ValueSet: http://hl7.org/fhir/ValueSet/composition-altcode-kind|4.0.1 + references: 0, strongest binding: - #alternate: Alternate Code - #case-insensitive: Case Insensitive - #case-sensitive: Case Sensitive - #deprecated: Deprecated - #expression: Expression - ValueSet: http://hl7.org/fhir/ValueSet/composition-attestation-mode|4.0.1 + references: 1, strongest binding: Required - #legal: Legal - #official: Official - #personal: Personal - #professional: Professional - ValueSet: http://hl7.org/fhir/ValueSet/composition-status|4.0.1 + references: 2, strongest binding: Required - #amended: Amended - #entered-in-error: Entered in Error - #final: Final - #preliminary: Preliminary - ValueSet: http://hl7.org/fhir/ValueSet/concept-map-equivalence|4.0.1 + references: 2, strongest binding: Required - #disjoint: Disjoint - #equal: Equal - #equivalent: Equivalent @@ -27980,10 +28077,12 @@ Value Sets: 1193 (unversioned) - #unmatched: Unmatched - #wider: Wider - ValueSet: http://hl7.org/fhir/ValueSet/conceptmap-unmapped-mode|4.0.1 + references: 1, strongest binding: Required - #fixed: Fixed Code - #other-map: Other Map - #provided: Provided Code - ValueSet: http://hl7.org/fhir/ValueSet/concept-property-type|4.0.1 + references: 1, strongest binding: Required - #boolean: boolean - #code: code (internal reference) - #Coding: Coding (external reference) @@ -27992,23 +28091,28 @@ Value Sets: 1193 (unversioned) - #integer: integer - #string: string - ValueSet: http://hl7.org/fhir/ValueSet/concept-subsumption-outcome|4.0.1 + references: 0, strongest binding: - #equivalent: Equivalent - #not-subsumed: Not-Subsumed - #subsumed-by: Subsumed-By - #subsumes: Subsumes - ValueSet: http://hl7.org/fhir/ValueSet/conditional-delete-status|4.0.1 + references: 1, strongest binding: Required - #multiple: Multiple Deletes Supported - #not-supported: Not Supported - #single: Single Deletes Supported - ValueSet: http://hl7.org/fhir/ValueSet/conditional-read-status|4.0.1 + references: 1, strongest binding: Required - #full-support: Full Support - #modified-since: If-Modified-Since - #not-match: If-None-Match - #not-supported: Not Supported - ValueSet: http://hl7.org/fhir/ValueSet/condition-category|4.0.1 + references: 1, strongest binding: Extensible - #encounter-diagnosis: Encounter Diagnosis - #problem-list-item: Problem List Item - ValueSet: http://hl7.org/fhir/ValueSet/condition-clinical|4.0.1 + references: 1, strongest binding: Required - #active: Active - #inactive: Inactive - #recurrence: Recurrence @@ -28016,19 +28120,24 @@ Value Sets: 1193 (unversioned) - #remission: Remission - #resolved: Resolved - ValueSet: http://hl7.org/fhir/ValueSet/condition-code|4.0.1 + references: 9, strongest binding: Example - #160245001: No current problems or disability - ValueSet: http://hl7.org/fhir/ValueSet/condition-severity|4.0.1 + references: 2, strongest binding: Preferred - #24484000: - #255604002: - #6736007: - ValueSet: http://hl7.org/fhir/ValueSet/condition-stage-type|4.0.1 + references: 1, strongest binding: Example - #260998006: Clinical staging (qualifier value) - #261023001: Pathological staging (qualifier value) - ValueSet: http://hl7.org/fhir/ValueSet/condition-state|4.0.1 + references: 0, strongest binding: - #active: Active - #inactive: Inactive - #resolved: Resolved - ValueSet: http://hl7.org/fhir/ValueSet/condition-ver-status|4.0.1 + references: 1, strongest binding: Required - #confirmed: Confirmed - #differential: Differential - #entered-in-error: Entered in Error @@ -28036,17 +28145,20 @@ Value Sets: 1193 (unversioned) - #refuted: Refuted - #unconfirmed: Unconfirmed - ValueSet: http://hl7.org/fhir/ValueSet/conformance-expectation|4.0.1 + references: 1, strongest binding: Required - #MAY: MAY - #SHALL: SHALL - #SHOULD: SHOULD - #SHOULD-NOT: SHOULD-NOT - ValueSet: http://hl7.org/fhir/ValueSet/consent-action|4.0.1 + references: 1, strongest binding: Example - #access: Access - #collect: Collect - #correct: Access and Correct - #disclose: Disclose - #use: Use - ValueSet: http://hl7.org/fhir/ValueSet/consent-category|4.0.1 + references: 1, strongest binding: Extensible - #57016-8: Privacy policy acknowledgement Document - #57017-6: Privacy policy Organization Document - #59284-0: Patient Consent @@ -28061,6 +28173,7 @@ Value Sets: 1193 (unversioned) - #rsdid: De-identified Information Access - #rsreid: Re-identifiable Information Access - ValueSet: http://hl7.org/fhir/ValueSet/consent-content-class|4.0.1 + references: 2, strongest binding: Extensible - #Account: Account - #ActivityDefinition: ActivityDefinition - #AdverseEvent: AdverseEvent @@ -28212,17 +28325,20 @@ Value Sets: 1193 (unversioned) - #VerificationResult: VerificationResult - #VisionPrescription: VisionPrescription - ValueSet: http://hl7.org/fhir/ValueSet/consent-data-meaning|4.0.1 + references: 1, strongest binding: Required - #authoredby: AuthoredBy - #dependents: Dependents - #instance: Instance - #related: Related - ValueSet: http://hl7.org/fhir/ValueSet/consent-performer|4.0.1 + references: 0, strongest binding: - #consenter: Consenter - #delegatee: Delegatee - #delegator: Delegator - #grantee: Grantee - #grantor: Grantor - ValueSet: http://hl7.org/fhir/ValueSet/consent-policy|4.0.1 + references: 1, strongest binding: Extensible - #at-elga: AT ELGA Opt-in Consent - #cric: Common Rule Informed Consent - #dch-3927: Michigan behavior and mental health consent @@ -28250,14 +28366,17 @@ Value Sets: 1193 (unversioned) - #va-10-5345a-mhv: VA Form 10-5345a-MHV - #va-21-4142: VA Form 21-4142 - ValueSet: http://hl7.org/fhir/ValueSet/consent-provision-type|4.0.1 + references: 1, strongest binding: Required - #deny: Opt Out - #permit: Opt In - ValueSet: http://hl7.org/fhir/ValueSet/consent-scope|4.0.1 + references: 1, strongest binding: Extensible - #adr: Advanced Care Directive - #patient-privacy: Privacy Consent - #research: Research - #treatment: Treatment - ValueSet: http://hl7.org/fhir/ValueSet/consent-state-codes|4.0.1 + references: 1, strongest binding: Required - #active: Active - #draft: Pending - #entered-in-error: Entered in Error @@ -28265,14 +28384,17 @@ Value Sets: 1193 (unversioned) - #proposed: Proposed - #rejected: Rejected - ValueSet: http://hl7.org/fhir/ValueSet/consistency-type|4.0.1 + references: 1, strongest binding: Example - #439021000124105: nectar thick liquid - #439031000124108: honey thick liquid - #439041000124103: spoon thick liquid - #439081000124109: thin liquid - ValueSet: http://hl7.org/fhir/ValueSet/constraint-severity|4.0.1 + references: 1, strongest binding: Required - #error: Error - #warning: Warning - ValueSet: http://hl7.org/fhir/ValueSet/contactentity-type|4.0.1 + references: 2, strongest binding: Extensible - #ADMIN: Administrative - #BILL: Billing - #HR: Human Resource @@ -28280,6 +28402,7 @@ Value Sets: 1193 (unversioned) - #PAYOR: Payor - #PRESS: Press - ValueSet: http://hl7.org/fhir/ValueSet/contact-point-system|4.0.1 + references: 1, strongest binding: Required - #email: Email - #fax: Fax - #other: Other @@ -28288,12 +28411,14 @@ Value Sets: 1193 (unversioned) - #sms: SMS - #url: URL - ValueSet: http://hl7.org/fhir/ValueSet/contact-point-use|4.0.1 + references: 1, strongest binding: Required - #home: Home - #mobile: Mobile - #old: Old - #temp: Temp - #work: Work - ValueSet: http://hl7.org/fhir/ValueSet/container-cap|4.0.1 + references: 1, strongest binding: Example - #black: black cap - #brown: brown cap - #dark-yellow: dark yellow cap @@ -28307,44 +28432,59 @@ Value Sets: 1193 (unversioned) - #white: white cap - #yellow: yellow cap - ValueSet: http://hl7.org/fhir/ValueSet/container-material|4.0.1 + references: 1, strongest binding: Example - #32039001: glass - #425620007: metal - #61088005: plastic - ValueSet: http://hl7.org/fhir/ValueSet/contract-action|4.0.1 + references: 1, strongest binding: Example - #action-a: Action A - #action-b: Action B - ValueSet: http://hl7.org/fhir/ValueSet/contract-actionstatus|4.0.1 + references: 1, strongest binding: Example - #complete: Complete - ValueSet: http://hl7.org/fhir/ValueSet/contract-actorrole|4.0.1 + references: 1, strongest binding: Example - #patient: Patient - #practitioner: Practitioner - ValueSet: http://hl7.org/fhir/ValueSet/contract-assetcontext|4.0.1 + references: 1, strongest binding: Example - #custodian: Custodian - ValueSet: http://hl7.org/fhir/ValueSet/contract-assetscope|4.0.1 + references: 1, strongest binding: Example - #thing: Thing - ValueSet: http://hl7.org/fhir/ValueSet/contract-assetsubtype|4.0.1 + references: 1, strongest binding: Example - #participation: Participation - ValueSet: http://hl7.org/fhir/ValueSet/contract-assettype|4.0.1 + references: 1, strongest binding: Example - #participation: Participation - ValueSet: http://hl7.org/fhir/ValueSet/contract-content-derivative|4.0.1 + references: 1, strongest binding: Example - #registration: Content Registration - #retrieval: Content Retrieval - #shareable: Shareable Content - #statement: Content Statement - ValueSet: http://hl7.org/fhir/ValueSet/contract-data-meaning|4.0.1 + references: 0, strongest binding: - #authoredby: AuthoredBy - #dependents: Dependents - #instance: Instance - #related: Related - ValueSet: http://hl7.org/fhir/ValueSet/contract-decision-mode|4.0.1 + references: 1, strongest binding: Example - #policy: Policy - ValueSet: http://hl7.org/fhir/ValueSet/contract-definition-subtype|4.0.1 + references: 1, strongest binding: Example - #temp: Temporary Value - ValueSet: http://hl7.org/fhir/ValueSet/contract-definition-type|4.0.1 + references: 1, strongest binding: Example - #temp: Temporary Value - ValueSet: http://hl7.org/fhir/ValueSet/contract-expiration-type|4.0.1 + references: 1, strongest binding: Example - #breach: Breach - ValueSet: http://hl7.org/fhir/ValueSet/contract-legalstate|4.0.1 + references: 1, strongest binding: Extensible - #amended: Amended - #appended: Appended - #cancelled: Cancelled @@ -28361,8 +28501,10 @@ Value Sets: 1193 (unversioned) - #revoked: Revoked - #terminated: Terminated - ValueSet: http://hl7.org/fhir/ValueSet/contract-party-role|4.0.1 + references: 1, strongest binding: Example - #flunky: FLunky - ValueSet: http://hl7.org/fhir/ValueSet/contract-publicationstatus|4.0.1 + references: 1, strongest binding: Required - #amended: Amended - #appended: Appended - #cancelled: Cancelled @@ -28379,14 +28521,19 @@ Value Sets: 1193 (unversioned) - #revoked: Revoked - #terminated: Terminated - ValueSet: http://hl7.org/fhir/ValueSet/contract-scope|4.0.1 + references: 1, strongest binding: Example - #policy: Policy - ValueSet: http://hl7.org/fhir/ValueSet/contract-security-category|4.0.1 + references: 1, strongest binding: Example - #policy: Policy - ValueSet: http://hl7.org/fhir/ValueSet/contract-security-classification|4.0.1 + references: 1, strongest binding: Example - #policy: Policy - ValueSet: http://hl7.org/fhir/ValueSet/contract-security-control|4.0.1 + references: 1, strongest binding: Example - #policy: Policy - ValueSet: http://hl7.org/fhir/ValueSet/contract-signer-type|4.0.1 + references: 1, strongest binding: Preferred - #AFFL: Affiliate - #AGNT: Agent - #AMENDER: Amender @@ -28436,6 +28583,7 @@ Value Sets: 1193 (unversioned) - #VERF: Verifier - #WIT: Witness - ValueSet: http://hl7.org/fhir/ValueSet/contract-status|4.0.1 + references: 1, strongest binding: Required - #amended: Amended - #appended: Appended - #cancelled: Cancelled @@ -28452,31 +28600,38 @@ Value Sets: 1193 (unversioned) - #revoked: Revoked - #terminated: Terminated - ValueSet: http://hl7.org/fhir/ValueSet/contract-subtype|4.0.1 + references: 1, strongest binding: Example - #disclosure-ca: Disclosure-CA - #disclosure-us: Disclosure-US - ValueSet: http://hl7.org/fhir/ValueSet/contract-term-subtype|4.0.1 + references: 1, strongest binding: Example - #condition: Condition - #innominate: Innominate - #warranty: Warranty - ValueSet: http://hl7.org/fhir/ValueSet/contract-term-type|4.0.1 + references: 2, strongest binding: Example - #statutory: Statutory - #subject-to: Subject To - ValueSet: http://hl7.org/fhir/ValueSet/contract-type|4.0.1 + references: 1, strongest binding: Example - #consent: Consent - #disclosure: Disclosure - #healthinsurance: Health Insurance - #privacy: Privacy - #supply: Supply Contract - ValueSet: http://hl7.org/fhir/ValueSet/contributor-type|4.0.1 + references: 1, strongest binding: Required - #author: Author - #editor: Editor - #endorser: Endorser - #reviewer: Reviewer - ValueSet: http://hl7.org/fhir/ValueSet/copy-number-event|4.0.1 + references: 0, strongest binding: - #amp: amplification - #del: deletion - #lof: loss of function - ValueSet: http://hl7.org/fhir/ValueSet/coverage-class|4.0.1 + references: 1, strongest binding: Extensible - #class: Class - #group: Group - #plan: Plan @@ -28489,6 +28644,7 @@ Value Sets: 1193 (unversioned) - #subgroup: SubGroup - #subplan: SubPlan - ValueSet: http://hl7.org/fhir/ValueSet/coverage-copay-type|4.0.1 + references: 1, strongest binding: Extensible - #copay: Copay Amount - #copaypct: Copay Percentage - #deductible: Deductible @@ -28500,6 +28656,7 @@ Value Sets: 1193 (unversioned) - #televisit: Tele-visit - #urgentcare: Urgent Care - ValueSet: http://hl7.org/fhir/ValueSet/coverageeligibilityresponse-ex-auth-support|4.0.1 + references: 1, strongest binding: Example - #accidentreport: Accident Report - #diagnosticimageorder: Diagnostic Image Order - #diagnosticimagereport: Diagnostic Image Report @@ -28509,13 +28666,17 @@ Value Sets: 1193 (unversioned) - #picture: Picture - #professionalreport: Professional Report - ValueSet: http://hl7.org/fhir/ValueSet/coverage-financial-exception|4.0.1 + references: 1, strongest binding: Example - #foster: Foster child - #retired: Retired - ValueSet: http://hl7.org/fhir/ValueSet/coverage-selfpay|4.0.1 + references: 0, strongest binding: - #pay: Pay - ValueSet: http://hl7.org/fhir/ValueSet/coverage-type|4.0.1 + references: 1, strongest binding: Preferred - #pay: Pay - ValueSet: http://hl7.org/fhir/ValueSet/data-absent-reason|4.0.1 + references: 3, strongest binding: Required - #asked-declined: Asked But Declined - #asked-unknown: Asked But Unknown - #as-text: As Text @@ -28532,6 +28693,7 @@ Value Sets: 1193 (unversioned) - #unknown: Unknown - #unsupported: Unsupported - ValueSet: http://hl7.org/fhir/ValueSet/data-types|4.0.1 + references: 1, strongest binding: Required - #Address: Address - #Age: Age - #Annotation: Annotation @@ -28596,6 +28758,7 @@ Value Sets: 1193 (unversioned) - #uuid: uuid - #xhtml: XHTML - ValueSet: http://hl7.org/fhir/ValueSet/days-of-week|4.0.1 + references: 4, strongest binding: Required - #fri: Friday - #mon: Monday - #sat: Saturday @@ -28604,6 +28767,7 @@ Value Sets: 1193 (unversioned) - #tue: Tuesday - #wed: Wednesday - ValueSet: http://hl7.org/fhir/ValueSet/defined-types|4.0.1 + references: 4, strongest binding: Required - #Account: Account - #ActivityDefinition: ActivityDefinition - #Address: Address @@ -28816,6 +28980,7 @@ Value Sets: 1193 (unversioned) - #VisionPrescription: VisionPrescription - #xhtml: XHTML - ValueSet: http://hl7.org/fhir/ValueSet/definition-resource-types|4.0.1 + references: 0, strongest binding: - #ActivityDefinition: ActivityDefinition - #EventDefinition: EventDefinition - #Measure: Measure @@ -28823,15 +28988,18 @@ Value Sets: 1193 (unversioned) - #PlanDefinition: PlanDefinition - #Questionnaire: Questionnaire - ValueSet: http://hl7.org/fhir/ValueSet/definition-status|4.0.1 + references: 0, strongest binding: - #active: Active - #draft: Draft - #unknown: Unknown - #withdrawn: Withdrawn - ValueSet: http://hl7.org/fhir/ValueSet/definition-topic|4.0.1 + references: 11, strongest binding: Example - #assessment: Assessment - #education: Education - #treatment: Treatment - ValueSet: http://hl7.org/fhir/ValueSet/definition-use|4.0.1 + references: 1, strongest binding: Extensible - #archetype: Domain Analysis Model - #custom-resource: Custom Resource - #dam: Domain Analysis Model @@ -28839,9 +29007,11 @@ Value Sets: 1193 (unversioned) - #template: Template - #wire-format: Wire Format - ValueSet: http://hl7.org/fhir/ValueSet/designation-use|4.0.1 + references: 2, strongest binding: Extensible - #900000000000003001: - #900000000000013009: - ValueSet: http://hl7.org/fhir/ValueSet/detectedissue-category|4.0.1 + references: 1, strongest binding: Preferred - #_ActSuppliedItemDetectedIssueCode: ActSuppliedItemDetectedIssueCode - #_AdministrationDetectedIssueCode: AdministrationDetectedIssueCode - #_AppropriatenessDetectedIssueCode: AppropriatenessDetectedIssueCode @@ -28876,6 +29046,7 @@ Value Sets: 1193 (unversioned) - #TOOSOON: Refill Too Soon Alert - #TPROD: Therapeutic Product Alert - ValueSet: http://hl7.org/fhir/ValueSet/detectedissue-mitigation-action|4.0.1 + references: 1, strongest binding: Preferred - #_ActAdministrativeDetectedIssueManagementCode: ActAdministrativeDetectedIssueManagementCode - #_ActDetectedIssueManagementCode: ActDetectedIssueManagementCode - #_AuthorizationIssueManagementCode: Authorization Issue Management Code @@ -28904,10 +29075,12 @@ Value Sets: 1193 (unversioned) - #9: Instituted Ongoing Monitoring Program - #EMAUTH: emergency authorization override - ValueSet: http://hl7.org/fhir/ValueSet/detectedissue-severity|4.0.1 + references: 1, strongest binding: Required - #high: High - #low: Low - #moderate: Moderate - ValueSet: http://hl7.org/fhir/ValueSet/device-component-property|4.0.1 + references: 0, strongest binding: - #532353: MDC_REG_CERT_DATA_CONTINUA_CERT_DEV_LIST - #532354: MDC_REG_CERT_DATA_CONTINUA_REG_STATUS - #532355: MDC_REG_CERT_DATA_CONTINUA_PHG_CERT_LIST @@ -28919,11 +29092,13 @@ Value Sets: 1193 (unversioned) - #68224: MDC_TIME_RES_REL_HI_RES - #68226: MDC_TIME_RES_BO - ValueSet: http://hl7.org/fhir/ValueSet/device-definition-status|4.0.1 + references: 0, strongest binding: - #active: Active - #entered-in-error: Entered in Error - #inactive: Inactive - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/device-nametype|4.0.1 + references: 2, strongest binding: Required - #manufacturer-name: Manufacturer name - #model-name: Model name - #other: other @@ -28931,6 +29106,7 @@ Value Sets: 1193 (unversioned) - #udi-label-name: UDI Label name - #user-friendly-name: User Friendly name - ValueSet: http://hl7.org/fhir/ValueSet/device-safety|4.0.1 + references: 1, strongest binding: Example - #C101673: Labeled as Containing Natural Rubber Latex - #C106038: Not Made with Natural Rubber Latex - #C106045: Magnetic Resonance Safe @@ -28938,6 +29114,7 @@ Value Sets: 1193 (unversioned) - #C106047: Magnetic Resonance Unsafe - #C113844: Labeling does not Contain MRI Safety Information - ValueSet: http://hl7.org/fhir/ValueSet/device-statement-status|4.0.1 + references: 1, strongest binding: Required - #active: Active - #completed: Completed - #entered-in-error: Entered in Error @@ -28945,11 +29122,13 @@ Value Sets: 1193 (unversioned) - #on-hold: On Hold - #stopped: Stopped - ValueSet: http://hl7.org/fhir/ValueSet/device-status|4.0.1 + references: 1, strongest binding: Required - #active: Active - #entered-in-error: Entered in Error - #inactive: Inactive - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/device-status-reason|4.0.1 + references: 1, strongest binding: Extensible - #hw-discon: Hardware Disconnected - #not-ready: Not Ready - #off: Off @@ -28959,6 +29138,7 @@ Value Sets: 1193 (unversioned) - #standby: Standby - #transduc-discon: Transducer Disconnected - ValueSet: http://hl7.org/fhir/ValueSet/diagnosis-role|4.0.1 + references: 2, strongest binding: Preferred - #AD: Admission diagnosis - #billing: Billing - #CC: Chief complaint @@ -28967,6 +29147,7 @@ Value Sets: 1193 (unversioned) - #post-op: post-op diagnosis - #pre-op: pre-op diagnosis - ValueSet: http://hl7.org/fhir/ValueSet/diagnostic-report-status|4.0.1 + references: 1, strongest binding: Required - #amended: Amended - #appended: Appended - #cancelled: Cancelled @@ -28978,6 +29159,7 @@ Value Sets: 1193 (unversioned) - #registered: Registered - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/diagnostic-service-sections|4.0.1 + references: 1, strongest binding: Example - #AU: Audiology - #BG: Blood Gases - #BLB: Blood Bank @@ -29020,6 +29202,7 @@ Value Sets: 1193 (unversioned) - #VUS: Vascular Ultrasound - #XRC: Cineradiograph - ValueSet: http://hl7.org/fhir/ValueSet/dicm-405-mediatype|4.0.1 + references: 1, strongest binding: Extensible - #110010: Film - #110030: USB Disk Emulation - #110031: Email @@ -29031,18 +29214,21 @@ Value Sets: 1193 (unversioned) - #110037: URI - #110038: Paper Document - ValueSet: http://hl7.org/fhir/ValueSet/discriminator-type|4.0.1 + references: 1, strongest binding: Required - #exists: Exists - #pattern: Pattern - #profile: Profile - #type: Type - #value: Value - ValueSet: http://hl7.org/fhir/ValueSet/distance-units|4.0.1 + references: 0, strongest binding: - #km: kilometers - #m: meters - #mm: millimeters - #nm: nanometers - #um: micrometers - ValueSet: http://hl7.org/fhir/ValueSet/doc-section-codes|4.0.1 + references: 1, strongest binding: Example - #10154-3: - #10157-6: - #10160-0: @@ -29099,6 +29285,7 @@ Value Sets: 1193 (unversioned) - #8653-8: - #8716-3: - ValueSet: http://hl7.org/fhir/ValueSet/document-classcodes|4.0.1 + references: 2, strongest binding: Example - #11369-6: History of Immunization - #11485-0: Anesthesia records - #11486-8: Chemotherapy records @@ -29145,21 +29332,26 @@ Value Sets: 1193 (unversioned) - #57017-6: Privacy Policy Organization Document - #57133-1: Referral note - ValueSet: http://hl7.org/fhir/ValueSet/document-mode|4.0.1 + references: 1, strongest binding: Required - #consumer: Consumer - #producer: Producer - ValueSet: http://hl7.org/fhir/ValueSet/document-reference-status|4.0.1 + references: 2, strongest binding: Required - #current: Current - #entered-in-error: Entered in Error - #superseded: Superseded - ValueSet: http://hl7.org/fhir/ValueSet/document-relationship-type|4.0.1 + references: 2, strongest binding: Required - #appends: Appends - #replaces: Replaces - #signs: Signs - #transforms: Transforms - ValueSet: http://hl7.org/fhir/ValueSet/dose-rate-type|4.0.1 + references: 1, strongest binding: Example - #calculated: Calculated - #ordered: Ordered - ValueSet: http://hl7.org/fhir/ValueSet/duration-units|4.0.1 + references: 0, strongest binding: - #a: years - #d: days - #h: hours @@ -29169,6 +29361,7 @@ Value Sets: 1193 (unversioned) - #s: seconds - #wk: weeks - ValueSet: http://hl7.org/fhir/ValueSet/effect-estimate-type|4.0.1 + references: 1, strongest binding: Extensible - #absolute-ARD: absolute risk difference - #absolute-MeanDiff: mean difference - #absolute-MedianDiff: median difference @@ -29177,16 +29370,19 @@ Value Sets: 1193 (unversioned) - #relative-OR: odds ratio - #relative-RR: relative risk - ValueSet: http://hl7.org/fhir/ValueSet/eligibilityrequest-purpose|4.0.1 + references: 1, strongest binding: Required - #auth-requirements: Coverage auth-requirements - #benefits: Coverage benefits - #discovery: Coverage Discovery - #validation: Coverage Validation - ValueSet: http://hl7.org/fhir/ValueSet/eligibilityresponse-purpose|4.0.1 + references: 1, strongest binding: Required - #auth-requirements: Coverage auth-requirements - #benefits: Coverage benefits - #discovery: Coverage Discovery - #validation: Coverage Validation - ValueSet: http://hl7.org/fhir/ValueSet/encounter-admit-source|4.0.1 + references: 1, strongest binding: Preferred - #born: Born in hospital - #emd: From accident/emergency department - #gp: General Practitioner referral @@ -29198,6 +29394,7 @@ Value Sets: 1193 (unversioned) - #psych: From psychiatric hospital - #rehab: From rehabilitation facility - ValueSet: http://hl7.org/fhir/ValueSet/encounter-diet|4.0.1 + references: 2, strongest binding: Example - #dairy-free: Dairy Free - #gluten-free: Gluten Free - #halal: Halal @@ -29206,6 +29403,7 @@ Value Sets: 1193 (unversioned) - #vegan: Vegan - #vegetarian: Vegetarian - ValueSet: http://hl7.org/fhir/ValueSet/encounter-discharge-disposition|4.0.1 + references: 1, strongest binding: Example - #aadvice: Left against advice - #alt-home: Alternative home - #exp: Expired @@ -29218,11 +29416,13 @@ Value Sets: 1193 (unversioned) - #rehab: Rehabilitation - #snf: Skilled nursing facility - ValueSet: http://hl7.org/fhir/ValueSet/encounter-location-status|4.0.1 + references: 1, strongest binding: Required - #active: Active - #completed: Completed - #planned: Planned - #reserved: Reserved - ValueSet: http://hl7.org/fhir/ValueSet/encounter-participant-type|4.0.1 + references: 3, strongest binding: Extensible - #ADM: admitter - #ATND: attender - #CALLBCK: callback contact @@ -29236,12 +29436,14 @@ Value Sets: 1193 (unversioned) - #SPRF: secondary performer - #translator: Translator - ValueSet: http://hl7.org/fhir/ValueSet/encounter-special-arrangements|4.0.1 + references: 1, strongest binding: Preferred - #add-bed: Additional bedding - #att: Attendant - #dog: Guide dog - #int: Interpreter - #wheel: Wheelchair - ValueSet: http://hl7.org/fhir/ValueSet/encounter-special-courtesy|4.0.1 + references: 1, strongest binding: Preferred - #EXT: extended courtesy - #NRM: normal courtesy - #PRF: professional courtesy @@ -29249,6 +29451,7 @@ Value Sets: 1193 (unversioned) - #UNK: unknown - #VIP: very important person - ValueSet: http://hl7.org/fhir/ValueSet/encounter-status|4.0.1 + references: 2, strongest binding: Required - #arrived: Arrived - #cancelled: Cancelled - #entered-in-error: Entered in Error @@ -29259,11 +29462,13 @@ Value Sets: 1193 (unversioned) - #triaged: Triaged - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/encounter-type|4.0.1 + references: 1, strongest binding: Example - #ADMS: Annual diabetes mellitus screening - #BD/BM-clin: Bone drilling/bone marrow punction in clinic - #CCS60: Infant colon screening - 60 minutes - #OKI: Outpatient Kenacort injection - ValueSet: http://hl7.org/fhir/ValueSet/endpoint-connection-type|4.0.1 + references: 1, strongest binding: Extensible - #dicom-qido-rs: DICOM QIDO-RS - #dicom-stow-rs: DICOM STOW-RS - #dicom-wado-rs: DICOM WADO-RS @@ -29279,6 +29484,7 @@ Value Sets: 1193 (unversioned) - #ihe-xds: IHE XDS - #secure-email: Secure email - ValueSet: http://hl7.org/fhir/ValueSet/endpoint-payload-type|4.0.1 + references: 1, strongest binding: Example - #any: Any - #none: None - #urn:hl7-org:sdwg:ccda-nonXMLBody:1.1: For documents following C-CDA constraints using a non structured body. @@ -29353,6 +29559,7 @@ Value Sets: 1193 (unversioned) - #urn:ihe:rad:PDF: Radiology XDS-I PDF - #urn:ihe:rad:TEXT: Radiology XDS-I Text - ValueSet: http://hl7.org/fhir/ValueSet/endpoint-status|4.0.1 + references: 1, strongest binding: Required - #active: Active - #entered-in-error: Entered in error - #error: Error @@ -29360,6 +29567,7 @@ Value Sets: 1193 (unversioned) - #suspended: Suspended - #test: Test - ValueSet: http://hl7.org/fhir/ValueSet/enteral-route|4.0.1 + references: 1, strongest binding: Extensible - #EFT: Instillation, enteral feeding tube - #ENTINSTL: Instillation, enteral - #GJT: Instillation, gastro-jejunostomy tube @@ -29370,12 +29578,14 @@ Value Sets: 1193 (unversioned) - #OJJ: Instillation, orojejunum tube - #PO: Swallow, oral - ValueSet: http://hl7.org/fhir/ValueSet/entformula-additive|4.0.1 + references: 1, strongest binding: Example - #carbohydrate: Carbohydrate - #fiber: Fiber - #lipid: Lipid - #protein: Protein - #water: Water - ValueSet: http://hl7.org/fhir/ValueSet/entformula-type|4.0.1 + references: 1, strongest binding: Example - #441531000124102: Standard Enteral Formula - #441561000124106: Standard enteral formula with fiber - #441571000124104: High energy enteral formula with fiber @@ -29413,6 +29623,7 @@ Value Sets: 1193 (unversioned) - #443771000124106: Hydrolyzed protein formula - #444431000124104: Pediatric reduced energy formula - ValueSet: http://hl7.org/fhir/ValueSet/episode-of-care-status|4.0.1 + references: 2, strongest binding: Required - #active: Active - #cancelled: Cancelled - #entered-in-error: Entered in Error @@ -29421,15 +29632,18 @@ Value Sets: 1193 (unversioned) - #planned: Planned - #waitlist: Waitlist - ValueSet: http://hl7.org/fhir/ValueSet/episodeofcare-type|4.0.1 + references: 1, strongest binding: Example - #cacp: Community-based aged care - #da: Drug and alcohol rehabilitation - #diab: Post coordinated diabetes program - #hacc: Home and Community Care - #pac: Post Acute Care - ValueSet: http://hl7.org/fhir/ValueSet/event-capability-mode|4.0.1 + references: 1, strongest binding: Required - #receiver: Receiver - #sender: Sender - ValueSet: http://hl7.org/fhir/ValueSet/event-resource-types|4.0.1 + references: 0, strongest binding: - #ChargeItem: ChargeItem - #ClaimResponse: ClaimResponse - #ClinicalImpression: ClinicalImpression @@ -29465,6 +29679,7 @@ Value Sets: 1193 (unversioned) - #SupplyDelivery: SupplyDelivery - #Task: Task - ValueSet: http://hl7.org/fhir/ValueSet/event-status|4.0.1 + references: 3, strongest binding: Required - #completed: Completed - #entered-in-error: Entered in Error - #in-progress: In Progress @@ -29474,6 +29689,7 @@ Value Sets: 1193 (unversioned) - #stopped: Stopped - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/event-timing|4.0.1 + references: 1, strongest binding: Required - #AC: AC - #ACD: ACD - #ACM: ACM @@ -29501,15 +29717,18 @@ Value Sets: 1193 (unversioned) - #PHS: After Sleep - #WAKE: WAKE - ValueSet: http://hl7.org/fhir/ValueSet/evidence-quality|4.0.1 + references: 3, strongest binding: Extensible - #high: High quality - #low: Low quality - #moderate: Moderate quality - #very-low: Very low quality - ValueSet: http://hl7.org/fhir/ValueSet/evidence-variant-state|4.0.1 + references: 2, strongest binding: Extensible - #high-risk: high risk - #low-risk: low risk - #medium-risk: medium risk - ValueSet: http://hl7.org/fhir/ValueSet/example-expansion|4.0.1 + references: 0, strongest binding: - #14647-2: Cholesterol [Moles/volume] in Serum or Plasma - #2093-3: Cholesterol [Mass/volume] in Serum or Plasma - #2096-6: Cholesterol/Triglyceride [Mass Ratio] in Serum or Plasma @@ -29519,11 +29738,13 @@ Value Sets: 1193 (unversioned) - #55838-7: Cholesterol/Phospholipid [Molar ratio] in Serum or Plasma - #9342-7: Cholesterol [Percentile] - ValueSet: http://hl7.org/fhir/ValueSet/example-extensional|4.0.1 + references: 0, strongest binding: - #14647-2: Cholesterol [Moles/Volume] - #2093-3: Cholesterol [Mass/Volume] - #35200-5: Cholesterol [Mass Or Moles/Volume] - #9342-7: Cholesterol [Percentile] - ValueSet: http://hl7.org/fhir/ValueSet/example-hierarchical|4.0.1 + references: 0, strongest binding: - #conflict: - #conflict: Edit Version Conflict - #duplicate: @@ -29553,9 +29774,11 @@ Value Sets: 1193 (unversioned) - #value: - #value: Element value invalid - ValueSet: http://hl7.org/fhir/ValueSet/examplescenario-actor-type|4.0.1 + references: 1, strongest binding: Required - #entity: System - #person: Person - ValueSet: http://hl7.org/fhir/ValueSet/ex-benefitcategory|4.0.1 + references: 9, strongest binding: Example - #1: Medical Care - #14: Renal Supplies - #2: Surgical @@ -29585,16 +29808,19 @@ Value Sets: 1193 (unversioned) - #F4: Hearing Coverage - #F6: Vision Coverage - ValueSet: http://hl7.org/fhir/ValueSet/ex-diagnosis-on-admission|4.0.1 + references: 2, strongest binding: Example - #n: No - #u: Unknown - #w: Undetermined - #y: Yes - ValueSet: http://hl7.org/fhir/ValueSet/ex-diagnosisrelatedgroup|4.0.1 + references: 2, strongest binding: Example - #100: Normal Vaginal Delivery - #101: Appendectomy - uncomplicated - #300: Tooth abscess - #400: Head trauma - concussion - ValueSet: http://hl7.org/fhir/ValueSet/ex-diagnosistype|4.0.1 + references: 2, strongest binding: Example - #admitting: Admitting Diagnosis - #clinical: Clinical Diagnosis - #differential: Differential Diagnosis @@ -29608,46 +29834,57 @@ Value Sets: 1193 (unversioned) - #retrospective: Retrospective Diagnosis - #self: Self Diagnosis - ValueSet: http://hl7.org/fhir/ValueSet/ex-onsettype|4.0.1 + references: 0, strongest binding: - #lmn: Last Menstruation - #lxm: Last Exam - #sym: Start of Symptoms - ValueSet: http://hl7.org/fhir/ValueSet/expansion-parameter-source|4.0.1 + references: 1, strongest binding: Required - #codesystem: Code System - #input: Client Input - #server: Server Engine - ValueSet: http://hl7.org/fhir/ValueSet/expansion-processing-rule|4.0.1 + references: 1, strongest binding: Required - #all-codes: All Codes - #groups-only: Groups Only - #ungrouped: Groups + Ungrouped codes - ValueSet: http://hl7.org/fhir/ValueSet/ex-payee-resource-type|4.0.1 + references: 0, strongest binding: - #organization: Organization - #patient: Patient - #practitioner: Practitioner - #relatedperson: RelatedPerson - ValueSet: http://hl7.org/fhir/ValueSet/ex-paymenttype|4.0.1 + references: 2, strongest binding: Example - #complete: Complete - #partial: Partial - ValueSet: http://hl7.org/fhir/ValueSet/explanationofbenefit-status|4.0.1 + references: 1, strongest binding: Required - #active: Active - #cancelled: Cancelled - #draft: Draft - #entered-in-error: Entered In Error - ValueSet: http://hl7.org/fhir/ValueSet/exposure-state|4.0.1 + references: 1, strongest binding: Required - #exposure: Exposure - #exposure-alternative: Exposure Alternative - ValueSet: http://hl7.org/fhir/ValueSet/expression-language|4.0.1 + references: 1, strongest binding: Extensible - #application/x-fhir-query: FHIR Query - #text/cql: CQL - #text/fhirpath: FHIRPath - ValueSet: http://hl7.org/fhir/ValueSet/ex-procedure-type|4.0.1 + references: 2, strongest binding: Example - #primary: Primary procedure - #secondary: Secondary procedure - ValueSet: http://hl7.org/fhir/ValueSet/ex-program-code|4.0.1 + references: 8, strongest binding: Example - #as: Child Asthma - #auscr: Autism Screening - #hd: Hemodialysis - #none: None - ValueSet: http://hl7.org/fhir/ValueSet/ex-revenue-center|4.0.1 + references: 6, strongest binding: Example - #0010: Vision Clinic - #0370: Anaesthesia - #0420: Physical Therapy @@ -29658,10 +29895,12 @@ Value Sets: 1193 (unversioned) - #0451: Emergency Room - EM/EMTALA - #0452: Emergency Room - beyond EMTALA - ValueSet: http://hl7.org/fhir/ValueSet/extension-context-type|4.0.1 + references: 1, strongest binding: Required - #element: Element ID - #extension: Extension URL - #fhirpath: FHIRPath - ValueSet: http://hl7.org/fhir/ValueSet/feeding-device|4.0.1 + references: 1, strongest binding: Example - #angled-utensil: Angled utensils - #autofeeding-device: Automated feeding devices - #bigcut-nipple: Enlarged, cross-cut nipple @@ -29685,6 +29924,7 @@ Value Sets: 1193 (unversioned) - #straw: Straw - #utensil-holder: Hand wrap utensil holder - ValueSet: http://hl7.org/fhir/ValueSet/FHIR-version|4.0.1 + references: 5, strongest binding: Required - #0.0.80: 0.0.80 - #0.0.81: 0.0.81 - #0.0.82: 0.0.82 @@ -29708,6 +29948,7 @@ Value Sets: 1193 (unversioned) - #4.0.0: 4.0.0 - #4.0.1: 4.0.1 - ValueSet: http://hl7.org/fhir/ValueSet/filter-operator|4.0.1 + references: 2, strongest binding: Required - #=: Equals - #descendent-of: Descendent Of (by subsumption) - #exists: Exists @@ -29718,12 +29959,14 @@ Value Sets: 1193 (unversioned) - #not-in: Not in Set - #regex: Regular Expression - ValueSet: http://hl7.org/fhir/ValueSet/financial-taskcode|4.0.1 + references: 0, strongest binding: - #cancel: Cancel - #poll: Poll - #release: Release - #reprocess: Reprocess - #status: Status check - ValueSet: http://hl7.org/fhir/ValueSet/financial-taskinputtype|4.0.1 + references: 0, strongest binding: - #exclude: Exclude - #include: Include - #item: Item Number @@ -29732,6 +29975,7 @@ Value Sets: 1193 (unversioned) - #reference: Reference Number - #status: Status code - ValueSet: http://hl7.org/fhir/ValueSet/flag-category|4.0.1 + references: 1, strongest binding: Example - #admin: Administrative - #advance-directive: Advance Directive - #behavioral: Behavioral @@ -29743,37 +29987,46 @@ Value Sets: 1193 (unversioned) - #research: Research - #safety: Safety - ValueSet: http://hl7.org/fhir/ValueSet/flag-priority|4.0.1 + references: 1, strongest binding: Example - #PH: High priority - #PL: Low priority - #PM: Medium priority - #PN: No alarm - ValueSet: http://hl7.org/fhir/ValueSet/flag-status|4.0.1 + references: 1, strongest binding: Required - #active: Active - #entered-in-error: Entered in Error - #inactive: Inactive - ValueSet: http://hl7.org/fhir/ValueSet/fm-conditions|4.0.1 + references: 0, strongest binding: - #123987: Headache - ValueSet: http://hl7.org/fhir/ValueSet/fm-itemtype|4.0.1 + references: 0, strongest binding: - #group: Group - #product: Product - #service: Service - ValueSet: http://hl7.org/fhir/ValueSet/fm-status|4.0.1 + references: 10, strongest binding: Required - #active: Active - #cancelled: Cancelled - #draft: Draft - #entered-in-error: Entered in Error - ValueSet: http://hl7.org/fhir/ValueSet/focal-subject|4.0.1 + references: 1, strongest binding: Example - #83418008: Fetus - #DON: donor - #SPS: spouse - ValueSet: http://hl7.org/fhir/ValueSet/forms|4.0.1 + references: 4, strongest binding: Example - #1: Form #1 - #2: Form #1 - ValueSet: http://hl7.org/fhir/ValueSet/fundsreserve|4.0.1 + references: 4, strongest binding: Example - #none: None - #patient: Patient - #provider: Provider - ValueSet: http://hl7.org/fhir/ValueSet/gender-identity|4.0.1 + references: 1, strongest binding: Example - #female: female - #male: male - #non-binary: non-binary @@ -29782,10 +30035,12 @@ Value Sets: 1193 (unversioned) - #transgender-female: transgender female - #transgender-male: transgender male - ValueSet: http://hl7.org/fhir/ValueSet/goal-acceptance-status|4.0.1 + references: 0, strongest binding: - #agree: Agree - #disagree: Disagree - #pending: Pending - ValueSet: http://hl7.org/fhir/ValueSet/goal-achievement|4.0.1 + references: 1, strongest binding: Preferred - #achieved: Achieved - #improving: Improving - #in-progress: In Progress @@ -29796,27 +30051,32 @@ Value Sets: 1193 (unversioned) - #sustaining: Sustaining - #worsening: Worsening - ValueSet: http://hl7.org/fhir/ValueSet/goal-category|4.0.1 + references: 2, strongest binding: Example - #behavioral: Behavioral - #dietary: Dietary - #nursing: Nursing - #physiotherapy: Physiotherapy - #safety: Safety - ValueSet: http://hl7.org/fhir/ValueSet/goal-priority|4.0.1 + references: 2, strongest binding: Preferred - #high-priority: High Priority - #low-priority: Low Priority - #medium-priority: Medium Priority - ValueSet: http://hl7.org/fhir/ValueSet/goal-relationship-type|4.0.1 + references: 0, strongest binding: - #milestone: Milestone - #other: Other - #predecessor: Predecessor - #replacement: Replacement - #successor: Successor - ValueSet: http://hl7.org/fhir/ValueSet/goal-start-event|4.0.1 + references: 2, strongest binding: Example - #308283009: Discharge from hospital - #32485007: Admission to hospital - #386216000: Childbirth - #442137000: Completion time of procedure - ValueSet: http://hl7.org/fhir/ValueSet/goal-status|4.0.1 + references: 1, strongest binding: Required - #accepted: Accepted - #active: Active - #cancelled: Cancelled @@ -29827,6 +30087,7 @@ Value Sets: 1193 (unversioned) - #proposed: Proposed - #rejected: Rejected - ValueSet: http://hl7.org/fhir/ValueSet/goal-status-reason|4.0.1 + references: 0, strongest binding: - #financial-barrier: Financial Reason - #lack-of-social-support: Lack Of Social Support - #lack-of-transportation: Lack Of Transportation @@ -29837,14 +30098,17 @@ Value Sets: 1193 (unversioned) - #surgery: Surgery - #temp-not-attainable: Goal Not Attainable Temporarily - ValueSet: http://hl7.org/fhir/ValueSet/graph-compartment-rule|4.0.1 + references: 1, strongest binding: Required - #custom: Custom - #different: Different - #identical: Identical - #matching: Matching - ValueSet: http://hl7.org/fhir/ValueSet/graph-compartment-use|4.0.1 + references: 1, strongest binding: Required - #condition: Condition - #requirement: Requirement - ValueSet: http://hl7.org/fhir/ValueSet/group-measure|4.0.1 + references: 3, strongest binding: Required - #mean: Mean - #mean-of-mean: Mean of Study Means - #mean-of-median: Mean of Study Medins @@ -29852,6 +30116,7 @@ Value Sets: 1193 (unversioned) - #median-of-mean: Median of Study Means - #median-of-median: Median of Study Medians - ValueSet: http://hl7.org/fhir/ValueSet/group-type|4.0.1 + references: 1, strongest binding: Required - #animal: Animal - #device: Device - #medication: Medication @@ -29859,6 +30124,7 @@ Value Sets: 1193 (unversioned) - #practitioner: Practitioner - #substance: Substance - ValueSet: http://hl7.org/fhir/ValueSet/guidance-response-status|4.0.1 + references: 1, strongest binding: Required - #data-requested: Data Requested - #data-required: Data Required - #entered-in-error: Entered In Error @@ -29866,11 +30132,13 @@ Value Sets: 1193 (unversioned) - #in-progress: In Progress - #success: Success - ValueSet: http://hl7.org/fhir/ValueSet/guide-page-generation|4.0.1 + references: 1, strongest binding: Required - #generated: Generated - #html: HTML - #markdown: Markdown - #xml: XML - ValueSet: http://hl7.org/fhir/ValueSet/guide-parameter-code|4.0.1 + references: 1, strongest binding: Required - #apply: Apply Metadata Value - #expansion-parameter: Expansion Profile - #generate-json: Generate JSON @@ -29882,20 +30150,24 @@ Value Sets: 1193 (unversioned) - #path-tx-cache: Terminology Cache Path - #rule-broken-links: Broken Links Rule - ValueSet: http://hl7.org/fhir/ValueSet/handling-condition|4.0.1 + references: 1, strongest binding: Example - #frozen: frozen - #refrigerated: refrigerated - #room: room temperature - ValueSet: http://hl7.org/fhir/ValueSet/history-absent-reason|4.0.1 + references: 1, strongest binding: Example - #deferred: Deferred - #subject-unknown: Subject Unknown - #unable-to-obtain: Unable To Obtain - #withheld: Information Withheld - ValueSet: http://hl7.org/fhir/ValueSet/history-status|4.0.1 + references: 1, strongest binding: Required - #completed: Completed - #entered-in-error: Entered in Error - #health-unknown: Health Unknown - #partial: Partial - ValueSet: http://hl7.org/fhir/ValueSet/hl7-work-group|4.0.1 + references: 1, strongest binding: Required - #aid: Application Implementation and Design - #brr: Biomedical Research and Regulation - #cbcc: Community Based Collaborative Care @@ -29921,6 +30193,7 @@ Value Sets: 1193 (unversioned) - #us: US Realm Taskforce - #vocab: Vocabulary - ValueSet: http://hl7.org/fhir/ValueSet/http-operations|4.0.1 + references: 2, strongest binding: Required - #delete: DELETE - #get: GET - #head: HEAD @@ -29929,6 +30202,7 @@ Value Sets: 1193 (unversioned) - #post: POST - #put: PUT - ValueSet: http://hl7.org/fhir/ValueSet/http-verb|4.0.1 + references: 1, strongest binding: Required - #DELETE: DELETE - #GET: GET - #HEAD: HEAD @@ -29936,6 +30210,7 @@ Value Sets: 1193 (unversioned) - #POST: POST - #PUT: PUT - ValueSet: http://hl7.org/fhir/ValueSet/icd-10|4.0.1 + references: 4, strongest binding: Example - #112233: DIAG-4 - #123456: DIAG-1 - #123457: DIAG-1a @@ -29944,10 +30219,12 @@ Value Sets: 1193 (unversioned) - #987654: DIAG-2 - #997755: DIAG-5 - ValueSet: http://hl7.org/fhir/ValueSet/icd-10-procedures|4.0.1 + references: 2, strongest binding: Example - #123001: PROC-1 - #123002: PROC-2 - #123003: PROC-3 - ValueSet: http://hl7.org/fhir/ValueSet/identifier-type|4.0.1 + references: 2, strongest binding: Extensible - #ACSN: Accession ID - #BRN: Breed Registry Number - #DL: Driver's license number @@ -29967,35 +30244,42 @@ Value Sets: 1193 (unversioned) - #TAX: Tax ID number - #UDI: Universal Device Identifier - ValueSet: http://hl7.org/fhir/ValueSet/identifier-use|4.0.1 + references: 1, strongest binding: Required - #official: Official - #old: Old - #secondary: Secondary - #temp: Temp - #usual: Usual - ValueSet: http://hl7.org/fhir/ValueSet/identity-assuranceLevel|4.0.1 + references: 1, strongest binding: Required - #level1: Level 1 - #level2: Level 2 - #level3: Level 3 - #level4: Level 4 - ValueSet: http://hl7.org/fhir/ValueSet/imagingstudy-status|4.0.1 + references: 1, strongest binding: Required - #available: Available - #cancelled: Cancelled - #entered-in-error: Entered in Error - #registered: Registered - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/immunization-evaluation-dose-status|4.0.1 + references: 1, strongest binding: Example - #notvalid: Not valid - #valid: Valid - ValueSet: http://hl7.org/fhir/ValueSet/immunization-evaluation-dose-status-reason|4.0.1 + references: 1, strongest binding: Example - #advstorage: Adverse storage condition - #coldchbrk: Cold chain break - #explot: Expired lot - #outsidesched: Administered outside recommended schedule - #prodrecall: Product recall - ValueSet: http://hl7.org/fhir/ValueSet/immunization-evaluation-status|4.0.1 + references: 1, strongest binding: Required - #completed: Completed - #entered-in-error: Entered in Error - ValueSet: http://hl7.org/fhir/ValueSet/immunization-evaluation-target-disease|4.0.1 + references: 1, strongest binding: Example - #14189004: - #1857005: - #27836007: @@ -30006,37 +30290,46 @@ Value Sets: 1193 (unversioned) - #709410003: - #76902006: - ValueSet: http://hl7.org/fhir/ValueSet/immunization-function|4.0.1 + references: 1, strongest binding: Extensible - #AP: Administering Provider - #OP: Ordering Provider - ValueSet: http://hl7.org/fhir/ValueSet/immunization-funding-source|4.0.1 + references: 1, strongest binding: Example - #private: Private - #public: Public - ValueSet: http://hl7.org/fhir/ValueSet/immunization-origin|4.0.1 + references: 1, strongest binding: Example - #provider: Other Provider - #recall: Parent/Guardian/Patient Recall - #record: Written Record - #school: School Record - ValueSet: http://hl7.org/fhir/ValueSet/immunization-program-eligibility|4.0.1 + references: 1, strongest binding: Example - #ineligible: Not Eligible - #uninsured: Uninsured - ValueSet: http://hl7.org/fhir/ValueSet/immunization-reason|4.0.1 + references: 1, strongest binding: Example - #281657000: - #429060002: - ValueSet: http://hl7.org/fhir/ValueSet/immunization-recommendation-date-criterion|4.0.1 + references: 1, strongest binding: Example - #30980-7: - #30981-5: - #59777-3: - #59778-1: - ValueSet: http://hl7.org/fhir/ValueSet/immunization-recommendation-reason|4.0.1 + references: 1, strongest binding: Example - #77176002: - #77386006: - ValueSet: http://hl7.org/fhir/ValueSet/immunization-recommendation-status|4.0.1 + references: 1, strongest binding: Example - #complete: Complete - #contraindicated: Contraindicated - #due: Due - #immune: Immune - #overdue: Overdue - ValueSet: http://hl7.org/fhir/ValueSet/immunization-recommendation-target-disease|4.0.1 + references: 1, strongest binding: Example - #14189004: - #1857005: - #27836007: @@ -30047,6 +30340,7 @@ Value Sets: 1193 (unversioned) - #709410003: - #76902006: - ValueSet: http://hl7.org/fhir/ValueSet/immunization-route|4.0.1 + references: 1, strongest binding: Example - #IDINJ: Injection, intradermal - #IM: Injection, intramuscular - #IVINJ: Injection, intravenous @@ -30055,22 +30349,27 @@ Value Sets: 1193 (unversioned) - #SQ: Injection, subcutaneous - #TRNSDERM: Transdermal - ValueSet: http://hl7.org/fhir/ValueSet/immunization-site|4.0.1 + references: 1, strongest binding: Example - #LA: left arm - #RA: right arm - ValueSet: http://hl7.org/fhir/ValueSet/immunization-status|4.0.1 + references: 1, strongest binding: Required - #completed: Completed - #entered-in-error: Entered in Error - #not-done: Not Done - ValueSet: http://hl7.org/fhir/ValueSet/immunization-status-reason|4.0.1 + references: 1, strongest binding: Example - #IMMUNE: immunity - #MEDPREC: medical precaution - #OSTOCK: product out of stock - #PATOBJ: patient objection - ValueSet: http://hl7.org/fhir/ValueSet/immunization-subpotent-reason|4.0.1 + references: 1, strongest binding: Example - #coldchainbreak: Cold Chain Break - #partial: Partial Dose - #recall: Manufacturer Recall - ValueSet: http://hl7.org/fhir/ValueSet/immunization-target-disease|4.0.1 + references: 1, strongest binding: Example - #14189004: - #1857005: - #27836007: @@ -30081,26 +30380,31 @@ Value Sets: 1193 (unversioned) - #709410003: - #76902006: - ValueSet: http://hl7.org/fhir/ValueSet/implantStatus|4.0.1 + references: 1, strongest binding: Required - #disabled: Disabled - #functional: Functional - #non-functional: Non-Functional - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/inactive|4.0.1 + references: 0, strongest binding: - #CRT: criterion - #EXPEC: expectation - #GOL: Goal - #OPT: option - #RSK: risk - ValueSet: http://hl7.org/fhir/ValueSet/instance-availability|4.0.1 + references: 0, strongest binding: - #NEARLINE: Nearline - #OFFLINE: Offline - #ONLINE: Online - #UNAVAILABLE: Unavailable - ValueSet: http://hl7.org/fhir/ValueSet/insuranceplan-applicability|4.0.1 + references: 1, strongest binding: Required - #in-network: In Network - #other: Other - #out-of-network: Out of Network - ValueSet: http://hl7.org/fhir/ValueSet/insuranceplan-type|4.0.1 + references: 1, strongest binding: Example - #dental: Dental - #Drug: Drug - #home: Home Health @@ -30112,12 +30416,15 @@ Value Sets: 1193 (unversioned) - #subst-ab: Substance Abuse - #vision: Vision - ValueSet: http://hl7.org/fhir/ValueSet/intervention|4.0.1 + references: 0, strongest binding: - #other: Other - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/investigation-sets|4.0.1 + references: 1, strongest binding: Example - #160237006: History/symptoms - #271336007: Examination / signs - ValueSet: http://hl7.org/fhir/ValueSet/invoice-priceComponentType|4.0.1 + references: 2, strongest binding: Required - #base: base price - #deduction: deduction - #discount: discount @@ -30125,12 +30432,14 @@ Value Sets: 1193 (unversioned) - #surcharge: surcharge - #tax: tax - ValueSet: http://hl7.org/fhir/ValueSet/invoice-status|4.0.1 + references: 1, strongest binding: Required - #balanced: balanced - #cancelled: cancelled - #draft: draft - #entered-in-error: entered in error - #issued: issued - ValueSet: http://hl7.org/fhir/ValueSet/iso3166-1-2|4.0.1 + references: 0, strongest binding: - #AD: Andorra - #AE: United Arab Emirates - #AF: Afghanistan @@ -30381,11 +30690,13 @@ Value Sets: 1193 (unversioned) - #ZM: Zambia - #ZW: Zimbabwe - ValueSet: http://hl7.org/fhir/ValueSet/issue-severity|4.0.1 + references: 1, strongest binding: Required - #error: Error - #fatal: Fatal - #information: Information - #warning: Warning - ValueSet: http://hl7.org/fhir/ValueSet/issue-type|4.0.1 + references: 1, strongest binding: Required - #business-rule: Business Rule Violation - #code-invalid: Invalid Code - #conflict: Edit Version Conflict @@ -30418,6 +30729,7 @@ Value Sets: 1193 (unversioned) - #unknown: Unknown User - #value: Element value invalid - ValueSet: http://hl7.org/fhir/ValueSet/item-type|4.0.1 + references: 1, strongest binding: Required - #attachment: Attachment - #boolean: Boolean - #choice: Choice @@ -30436,6 +30748,7 @@ Value Sets: 1193 (unversioned) - #time: Time - #url: Url - ValueSet: http://hl7.org/fhir/ValueSet/knowledge-resource-types|4.0.1 + references: 0, strongest binding: - #ActivityDefinition: ActivityDefinition - #CodeSystem: CodeSystem - #ConceptMap: ConceptMap @@ -30446,9 +30759,11 @@ Value Sets: 1193 (unversioned) - #StructureMap: StructureMap - #ValueSet: ValueSet - ValueSet: http://hl7.org/fhir/ValueSet/language-preference-type|4.0.1 + references: 1, strongest binding: Extensible - #verbal: verbal - #written: written - ValueSet: http://hl7.org/fhir/ValueSet/languages|4.0.1 + references: 11, strongest binding: Preferred - #ar: Arabic - #bn: Bengali - #cs: Czech @@ -30506,23 +30821,28 @@ Value Sets: 1193 (unversioned) - #zh-SG: Chinese (Singapore) - #zh-TW: Chinese (Taiwan) - ValueSet: http://hl7.org/fhir/ValueSet/ldlcholesterol-codes|4.0.1 + references: 1, strongest binding: Required - #13457-7: Cholesterol in LDL [Mass/volume] in Serum or Plasma by calculation - #18262-6: LDL Cholesterol (Assay) - ValueSet: http://hl7.org/fhir/ValueSet/library-type|4.0.1 + references: 1, strongest binding: Extensible - #asset-collection: Asset Collection - #logic-library: Logic Library - #model-definition: Model Definition - #module-definition: Module Definition - ValueSet: http://hl7.org/fhir/ValueSet/linkage-type|4.0.1 + references: 1, strongest binding: Required - #alternate: Alternate Record - #historical: Historical/Obsolete Record - #source: Source of Truth - ValueSet: http://hl7.org/fhir/ValueSet/link-type|4.0.1 + references: 1, strongest binding: Required - #refer: Refer - #replaced-by: Replaced-by - #replaces: Replaces - #seealso: See also - ValueSet: http://hl7.org/fhir/ValueSet/list-empty-reason|4.0.1 + references: 2, strongest binding: Preferred - #closed: Closed - #nilknown: Nil Known - #notasked: Not Asked @@ -30530,6 +30850,7 @@ Value Sets: 1193 (unversioned) - #unavailable: Unavailable - #withheld: Information Withheld - ValueSet: http://hl7.org/fhir/ValueSet/list-example-codes|4.0.1 + references: 1, strongest binding: Example - #adverserxns: Adverse Reactions - #alerts: Alerts - #allergies: Allergies @@ -30540,6 +30861,7 @@ Value Sets: 1193 (unversioned) - #waiting: Waiting List - #worklist: Worklist - ValueSet: http://hl7.org/fhir/ValueSet/list-item-flag|4.0.1 + references: 1, strongest binding: Example - #01: Unchanged - #02: Changed - #03: Cancelled @@ -30547,10 +30869,12 @@ Value Sets: 1193 (unversioned) - #05: Ceased - #06: Suspended - ValueSet: http://hl7.org/fhir/ValueSet/list-mode|4.0.1 + references: 2, strongest binding: Required - #changes: Change List - #snapshot: Snapshot List - #working: Working List - ValueSet: http://hl7.org/fhir/ValueSet/list-order|4.0.1 + references: 2, strongest binding: Preferred - #alphabetic: Sorted Alphabetically - #category: Sorted by Category - #entry-date: Sorted by Item Date @@ -30560,13 +30884,16 @@ Value Sets: 1193 (unversioned) - #system: Sorted by System - #user: Sorted by User - ValueSet: http://hl7.org/fhir/ValueSet/list-status|4.0.1 + references: 1, strongest binding: Required - #current: Current - #entered-in-error: Entered In Error - #retired: Retired - ValueSet: http://hl7.org/fhir/ValueSet/location-mode|4.0.1 + references: 1, strongest binding: Required - #instance: Instance - #kind: Kind - ValueSet: http://hl7.org/fhir/ValueSet/location-physical-type|4.0.1 + references: 2, strongest binding: Example - #area: Area - #bd: Bed - #bu: Building @@ -30582,36 +30909,44 @@ Value Sets: 1193 (unversioned) - #wa: Ward - #wi: Wing - ValueSet: http://hl7.org/fhir/ValueSet/location-status|4.0.1 + references: 1, strongest binding: Required - #active: Active - #inactive: Inactive - #suspended: Suspended - ValueSet: http://hl7.org/fhir/ValueSet/map-context-type|4.0.1 + references: 1, strongest binding: Required - #type: Type - #variable: Variable - ValueSet: http://hl7.org/fhir/ValueSet/map-group-type-mode|4.0.1 + references: 1, strongest binding: Required - #none: Not a Default - #type-and-types: Default for type + combination - #types: Default for Type Combination - ValueSet: http://hl7.org/fhir/ValueSet/map-input-mode|4.0.1 + references: 1, strongest binding: Required - #source: Source Instance - #target: Target Instance - ValueSet: http://hl7.org/fhir/ValueSet/map-model-mode|4.0.1 + references: 1, strongest binding: Required - #produced: Produced Structure Definition - #queried: Queried Structure Definition - #source: Source Structure Definition - #target: Target Structure Definition - ValueSet: http://hl7.org/fhir/ValueSet/map-source-list-mode|4.0.1 + references: 1, strongest binding: Required - #first: First - #last: Last - #not_first: All but the first - #not_last: All but the last - #only_one: Enforce only one - ValueSet: http://hl7.org/fhir/ValueSet/map-target-list-mode|4.0.1 + references: 1, strongest binding: Required - #collate: Collate - #first: First - #last: Last - #share: Share - ValueSet: http://hl7.org/fhir/ValueSet/map-transform|4.0.1 + references: 1, strongest binding: Required - #append: append - #c: c - #cast: cast @@ -30630,6 +30965,7 @@ Value Sets: 1193 (unversioned) - #truncate: truncate - #uuid: uuid - ValueSet: http://hl7.org/fhir/ValueSet/marital-status|4.0.1 + references: 1, strongest binding: Extensible - #A: Annulled - #D: Divorced - #I: Interlocutory @@ -30642,17 +30978,21 @@ Value Sets: 1193 (unversioned) - #UNK: unknown - #W: Widowed - ValueSet: http://hl7.org/fhir/ValueSet/match-grade|4.0.1 + references: 1, strongest binding: Required - #certain: Certain Match - #certainly-not: Certainly Not a Match - #possible: Possible Match - #probable: Probable Match - ValueSet: http://hl7.org/fhir/ValueSet/measure-data-usage|4.0.1 + references: 1, strongest binding: Extensible - #risk-adjustment-factor: Risk Adjustment Factor - #supplemental-data: Supplemental Data - ValueSet: http://hl7.org/fhir/ValueSet/measure-improvement-notation|4.0.1 + references: 2, strongest binding: Required - #decrease: Decreased score indicates improvement - #increase: Increased score indicates improvement - ValueSet: http://hl7.org/fhir/ValueSet/measure-population|4.0.1 + references: 3, strongest binding: Extensible - #denominator: Denominator - #denominator-exception: Denominator Exception - #denominator-exclusion: Denominator Exclusion @@ -30663,30 +31003,36 @@ Value Sets: 1193 (unversioned) - #numerator: Numerator - #numerator-exclusion: Numerator Exclusion - ValueSet: http://hl7.org/fhir/ValueSet/measure-report-status|4.0.1 + references: 1, strongest binding: Required - #complete: Complete - #error: Error - #pending: Pending - ValueSet: http://hl7.org/fhir/ValueSet/measure-report-type|4.0.1 + references: 1, strongest binding: Required - #data-collection: Data Collection - #individual: Individual - #subject-list: Subject List - #summary: Summary - ValueSet: http://hl7.org/fhir/ValueSet/measure-scoring|4.0.1 + references: 1, strongest binding: Extensible - #cohort: Cohort - #continuous-variable: Continuous Variable - #proportion: Proportion - #ratio: Ratio - ValueSet: http://hl7.org/fhir/ValueSet/measure-type|4.0.1 + references: 1, strongest binding: Extensible - #composite: Composite - #outcome: Outcome - #patient-reported-outcome: Patient Reported Outcome - #process: Process - #structure: Structure - ValueSet: http://hl7.org/fhir/ValueSet/med-admin-perform-function|4.0.1 + references: 1, strongest binding: Example - #performer: Performer - #verifier: Verifier - #witness: Witness - ValueSet: http://hl7.org/fhir/ValueSet/media-modality|4.0.1 + references: 1, strongest binding: Example - #diagram: Diagram - #face: Face Scan - #fax: Fax @@ -30696,14 +31042,17 @@ Value Sets: 1193 (unversioned) - #retina: Retina Scan - #scan: Scanned Document - ValueSet: http://hl7.org/fhir/ValueSet/media-type|4.0.1 + references: 1, strongest binding: Extensible - #audio: Audio - #image: Image - #video: Video - ValueSet: http://hl7.org/fhir/ValueSet/medication-admin-category|4.0.1 + references: 1, strongest binding: Preferred - #community: Community - #inpatient: Inpatient - #outpatient: Outpatient - ValueSet: http://hl7.org/fhir/ValueSet/medication-admin-status|4.0.1 + references: 1, strongest binding: Required - #completed: Completed - #entered-in-error: Entered in Error - #in-progress: In Progress @@ -30712,16 +31061,19 @@ Value Sets: 1193 (unversioned) - #stopped: Stopped - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/medicationdispense-category|4.0.1 + references: 1, strongest binding: Preferred - #community: Community - #discharge: Discharge - #inpatient: Inpatient - #outpatient: Outpatient - ValueSet: http://hl7.org/fhir/ValueSet/medicationdispense-performer-function|4.0.1 + references: 1, strongest binding: Example - #checker: Checker - #dataenterer: Data Enterer - #finalchecker: Final Checker - #packager: Packager - ValueSet: http://hl7.org/fhir/ValueSet/medicationdispense-status|4.0.1 + references: 1, strongest binding: Required - #cancelled: Cancelled - #completed: Completed - #declined: Declined @@ -30732,6 +31084,7 @@ Value Sets: 1193 (unversioned) - #stopped: Stopped - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/medicationdispense-status-reason|4.0.1 + references: 1, strongest binding: Example - #altchoice: Try another treatment first - #clarif: Prescription/Request requires clarification - #drughigh: Drug level too high @@ -30754,6 +31107,7 @@ Value Sets: 1193 (unversioned) - #surg: Patient scheduled for surgery - #washout: Washout - ValueSet: http://hl7.org/fhir/ValueSet/medicationknowledge-characteristic|4.0.1 + references: 1, strongest binding: Example - #coating: Coating - #color: Color - #imprintcd: Imprint Code @@ -30762,6 +31116,7 @@ Value Sets: 1193 (unversioned) - #shape: Shape - #size: Size - ValueSet: http://hl7.org/fhir/ValueSet/medicationknowledge-package-type|4.0.1 + references: 1, strongest binding: Example - #amp: Ampule - #bag: Bag - #blstrpk: Blister Pack @@ -30785,19 +31140,23 @@ Value Sets: 1193 (unversioned) - #tube: Tube - #vial: Vial - ValueSet: http://hl7.org/fhir/ValueSet/medicationknowledge-status|4.0.1 + references: 1, strongest binding: Required - #active: Active - #entered-in-error: Entered in Error - #inactive: Inactive - ValueSet: http://hl7.org/fhir/ValueSet/medicationrequest-category|4.0.1 + references: 1, strongest binding: Example - #community: Community - #discharge: Discharge - #inpatient: Inpatient - #outpatient: Outpatient - ValueSet: http://hl7.org/fhir/ValueSet/medicationrequest-course-of-therapy|4.0.1 + references: 1, strongest binding: Example - #acute: Short course (acute) therapy - #continuous: Continuous long term therapy - #seasonal: Seasonal - ValueSet: http://hl7.org/fhir/ValueSet/medicationrequest-intent|4.0.1 + references: 1, strongest binding: Required - #filler-order: Filler Order - #instance-order: Instance Order - #option: Option @@ -30807,6 +31166,7 @@ Value Sets: 1193 (unversioned) - #proposal: Proposal - #reflex-order: Reflex Order - ValueSet: http://hl7.org/fhir/ValueSet/medicationrequest-status|4.0.1 + references: 1, strongest binding: Required - #active: Active - #cancelled: Cancelled - #completed: Completed @@ -30816,6 +31176,7 @@ Value Sets: 1193 (unversioned) - #stopped: Stopped - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/medicationrequest-status-reason|4.0.1 + references: 1, strongest binding: Example - #altchoice: Try another treatment first - #clarif: Prescription requires clarification - #drughigh: Drug level too high @@ -30830,11 +31191,13 @@ Value Sets: 1193 (unversioned) - #surg: Patient scheduled for surgery. - #washout: Waiting for old drug to wash out - ValueSet: http://hl7.org/fhir/ValueSet/medication-statement-category|4.0.1 + references: 1, strongest binding: Preferred - #community: Community - #inpatient: Inpatient - #outpatient: Outpatient - #patientspecified: Patient Specified - ValueSet: http://hl7.org/fhir/ValueSet/medication-statement-status|4.0.1 + references: 1, strongest binding: Required - #active: Active - #completed: Completed - #entered-in-error: Entered in Error @@ -30844,15 +31207,18 @@ Value Sets: 1193 (unversioned) - #stopped: Stopped - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/medication-status|4.0.1 + references: 1, strongest binding: Required - #active: Active - #entered-in-error: Entered in Error - #inactive: Inactive - ValueSet: http://hl7.org/fhir/ValueSet/messageheader-response-request|4.0.1 + references: 2, strongest binding: Required - #always: Always - #never: Never - #on-error: Error/reject conditions only - #on-success: Successful completion only - ValueSet: http://hl7.org/fhir/ValueSet/message-reason-encounter|4.0.1 + references: 1, strongest binding: Example - #absent: Absent - #admit: Admit - #discharge: Discharge @@ -30860,29 +31226,35 @@ Value Sets: 1193 (unversioned) - #moved: Moved - #return: Returned - ValueSet: http://hl7.org/fhir/ValueSet/message-significance-category|4.0.1 + references: 1, strongest binding: Required - #consequence: Consequence - #currency: Currency - #notification: Notification - ValueSet: http://hl7.org/fhir/ValueSet/message-transport|4.0.1 + references: 1, strongest binding: Extensible - #ftp: FTP - #http: HTTP - #mllp: MLLP - ValueSet: http://hl7.org/fhir/ValueSet/metric-calibration-state|4.0.1 + references: 1, strongest binding: Required - #calibrated: Calibrated - #calibration-required: Calibration Required - #not-calibrated: Not Calibrated - #unspecified: Unspecified - ValueSet: http://hl7.org/fhir/ValueSet/metric-calibration-type|4.0.1 + references: 1, strongest binding: Required - #gain: Gain - #offset: Offset - #two-point: Two Point - #unspecified: Unspecified - ValueSet: http://hl7.org/fhir/ValueSet/metric-category|4.0.1 + references: 1, strongest binding: Required - #calculation: Calculation - #measurement: Measurement - #setting: Setting - #unspecified: Unspecified - ValueSet: http://hl7.org/fhir/ValueSet/metric-color|4.0.1 + references: 1, strongest binding: Required - #black: Color Black - #blue: Color Blue - #cyan: Color Cyan @@ -30892,16 +31264,19 @@ Value Sets: 1193 (unversioned) - #white: Color White - #yellow: Color Yellow - ValueSet: http://hl7.org/fhir/ValueSet/metric-operational-status|4.0.1 + references: 1, strongest binding: Required - #entered-in-error: Entered In Error - #off: Off - #on: On - #standby: Standby - ValueSet: http://hl7.org/fhir/ValueSet/missing-tooth-reason|4.0.1 + references: 2, strongest binding: Example - #c: C - #e: E - #o: O - #u: U - ValueSet: http://hl7.org/fhir/ValueSet/modified-foodtype|4.0.1 + references: 1, strongest binding: Example - #102263004: Eggs - #226529007: Starchy food - #226760005: Dairy foods @@ -30917,6 +31292,7 @@ Value Sets: 1193 (unversioned) - #72511004: Fruit - #74242007: Food Starch - ValueSet: http://hl7.org/fhir/ValueSet/name-assembly-order|4.0.1 + references: 1, strongest binding: Required - #F: Prefix Family Middle Given Suffix - #G: Prefix Given Middle Family Suffix - #NL1: Own Name @@ -30925,6 +31301,7 @@ Value Sets: 1193 (unversioned) - #NL4: Own Name followed by Partner Name - #UNK: unknown - ValueSet: http://hl7.org/fhir/ValueSet/name-part-qualifier|4.0.1 + references: 1, strongest binding: Required - #AC: academic - #AD: acquired - #BR: birth @@ -30938,6 +31315,7 @@ Value Sets: 1193 (unversioned) - #SP: spouse - #VV: voorvoegsel - ValueSet: http://hl7.org/fhir/ValueSet/name-use|4.0.1 + references: 1, strongest binding: Required - #anonymous: Anonymous - #maiden: Name changed for Marriage - #nickname: Nickname @@ -30946,30 +31324,36 @@ Value Sets: 1193 (unversioned) - #temp: Temp - #usual: Usual - ValueSet: http://hl7.org/fhir/ValueSet/name-v3-representation|4.0.1 + references: 1, strongest binding: Required - #ABC: Alphabetic - #IDE: Ideographic - #SYL: Syllabic - ValueSet: http://hl7.org/fhir/ValueSet/namingsystem-identifier-type|4.0.1 + references: 1, strongest binding: Required - #oid: OID - #other: Other - #uri: URI - #uuid: UUID - ValueSet: http://hl7.org/fhir/ValueSet/namingsystem-type|4.0.1 + references: 1, strongest binding: Required - #codesystem: Code System - #identifier: Identifier - #root: Root - ValueSet: http://hl7.org/fhir/ValueSet/narrative-status|4.0.1 + references: 1, strongest binding: Required - #additional: Additional - #empty: Empty - #extensions: Extensions - #generated: Generated - ValueSet: http://hl7.org/fhir/ValueSet/network-type|4.0.1 + references: 1, strongest binding: Required - #1: Machine Name - #2: IP Address - #3: Telephone Number - #4: Email address - #5: URI - ValueSet: http://hl7.org/fhir/ValueSet/nhin-purposeofuse|4.0.1 + references: 0, strongest binding: - #ABUSE: Abuse - #COVERAGE: Coverage - #DECEASED: Deceased @@ -30998,14 +31382,17 @@ Value Sets: 1193 (unversioned) - #TREATMENT: Treatment - #WORKERSCOMP: Worker's Comp - ValueSet: http://hl7.org/fhir/ValueSet/note-type|4.0.1 + references: 3, strongest binding: Required - #display: Display - #print: Print (Form) - #printoper: Print (Operator) - ValueSet: http://hl7.org/fhir/ValueSet/nutrient-code|4.0.1 + references: 1, strongest binding: Example - #33463005: Fluid - #39972003: Sodium - #88480006: Potassium - ValueSet: http://hl7.org/fhir/ValueSet/object-lifecycle-events|4.0.1 + references: 1, strongest binding: Extensible - #1: Origination / Creation - #10: Export - #11: Disclosure @@ -31049,6 +31436,7 @@ Value Sets: 1193 (unversioned) - #unmerge: Unmerge Record Lifecycle Event - #verify: Verify Record Lifecycle Event - ValueSet: http://hl7.org/fhir/ValueSet/object-role|4.0.1 + references: 1, strongest binding: Extensible - #1: Patient - #10: Guarantor - #11: Security User Entity @@ -31074,6 +31462,7 @@ Value Sets: 1193 (unversioned) - #8: Doctor - #9: Subscriber - ValueSet: http://hl7.org/fhir/ValueSet/observation-category|4.0.1 + references: 2, strongest binding: Preferred - #activity: Activity - #exam: Exam - #imaging: Imaging @@ -31084,6 +31473,7 @@ Value Sets: 1193 (unversioned) - #therapy: Therapy - #vital-signs: Vital Signs - ValueSet: http://hl7.org/fhir/ValueSet/observation-interpretation|4.0.1 + references: 2, strongest binding: Extensible - #_GeneticObservationInterpretation: GeneticObservationInterpretation - #_ObservationInterpretationChange: ObservationInterpretationChange - #_ObservationInterpretationExceptions: ObservationInterpretationExceptions @@ -31132,10 +31522,12 @@ Value Sets: 1193 (unversioned) - #W: Worse - #WR: Weakly reactive - ValueSet: http://hl7.org/fhir/ValueSet/observation-range-category|4.0.1 + references: 1, strongest binding: Required - #absolute: absolute range - #critical: critical range - #reference: reference range - ValueSet: http://hl7.org/fhir/ValueSet/observation-statistics|4.0.1 + references: 0, strongest binding: - #20-percent: 20th Percentile - #4-dev: Quartile Deviation - #4-lower: Lower Quartile @@ -31158,6 +31550,7 @@ Value Sets: 1193 (unversioned) - #total-count: Total Count - #variance: Variance - ValueSet: http://hl7.org/fhir/ValueSet/observation-status|4.0.1 + references: 3, strongest binding: Required - #amended: Amended - #cancelled: Cancelled - #corrected: Corrected @@ -31167,6 +31560,7 @@ Value Sets: 1193 (unversioned) - #registered: Registered - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/observation-vitalsignresult|4.0.1 + references: 2, strongest binding: Extensible - #2708-6: - #29463-7: - #39156-5: @@ -31181,9 +31575,11 @@ Value Sets: 1193 (unversioned) - #9279-1: - #9843-4: - ValueSet: http://hl7.org/fhir/ValueSet/operation-kind|4.0.1 + references: 1, strongest binding: Required - #operation: Operation - #query: Query - ValueSet: http://hl7.org/fhir/ValueSet/operation-outcome|4.0.1 + references: 1, strongest binding: Example - #DELETE_MULTIPLE_MATCHES: Error: Multiple matches exist for the conditional delete - #MSG_AUTH_REQUIRED: You must authenticate before you can use this service - #MSG_BAD_FORMAT: Bad Syntax: "%s" must be a %s' @@ -31235,14 +31631,17 @@ Value Sets: 1193 (unversioned) - #SEARCH_NONE: Error: no processable search found for %s search parameters "%s" - #UPDATE_MULTIPLE_MATCHES: Error: Multiple matches exist for the conditional update - ValueSet: http://hl7.org/fhir/ValueSet/operation-parameter-use|4.0.1 + references: 2, strongest binding: Required - #in: In - #out: Out - ValueSet: http://hl7.org/fhir/ValueSet/oral-prosthodontic-material|4.0.1 + references: 0, strongest binding: - #1: Fixed Bridge - #2: Maryland Bridge - #3: Denture Acrylic - #4: Denture Chrome Cobalt - ValueSet: http://hl7.org/fhir/ValueSet/organization-role|4.0.1 + references: 1, strongest binding: Example - #agency: Agency - #diagnostics: Diagnostics - #HIE/HIO: HIE/HIO @@ -31252,6 +31651,7 @@ Value Sets: 1193 (unversioned) - #research: Research - #supplier: Supplier - ValueSet: http://hl7.org/fhir/ValueSet/organization-type|4.0.1 + references: 1, strongest binding: Example - #bus: Non-Healthcare Business or Corporation - #cg: Community Group - #crs: Clinical Research Sponsor @@ -31265,9 +31665,11 @@ Value Sets: 1193 (unversioned) - #reli: Religious Institution - #team: Organizational team - ValueSet: http://hl7.org/fhir/ValueSet/orientation-type|4.0.1 + references: 1, strongest binding: Required - #antisense: Antisense orientation of referenceSeq - #sense: Sense orientation of referenceSeq - ValueSet: http://hl7.org/fhir/ValueSet/parameter-group|4.0.1 + references: 0, strongest binding: - #blood-chemistry: Blood Chemistry Parameter Group - #drug-delivery: Drug Delivery Parameter Group - #ecg: ECG Parameter Group @@ -31278,6 +31680,7 @@ Value Sets: 1193 (unversioned) - #respiratory: Respiratory Parameter Group - #ventilation: Ventilation Parameter Group - ValueSet: http://hl7.org/fhir/ValueSet/parent-relationship-codes|4.0.1 + references: 0, strongest binding: - #ADOPTF: adoptive father - #ADOPTM: adoptive mother - #ADOPTP: adoptive parent @@ -31300,10 +31703,12 @@ Value Sets: 1193 (unversioned) - #STPPRN: step parent - #TWIN: twin - ValueSet: http://hl7.org/fhir/ValueSet/participantrequired|4.0.1 + references: 1, strongest binding: Required - #information-only: Information Only - #optional: Optional - #required: Required - ValueSet: http://hl7.org/fhir/ValueSet/participation-role-type|4.0.1 + references: 1, strongest binding: Extensible - #_CitizenRoleType: CitizenRoleType - #110150: Application - #110151: Application Launcher @@ -31381,25 +31786,31 @@ Value Sets: 1193 (unversioned) - #VERF: Verifier - #WIT: witness - ValueSet: http://hl7.org/fhir/ValueSet/participationstatus|4.0.1 + references: 2, strongest binding: Required - #accepted: Accepted - #declined: Declined - #needs-action: Needs Action - #tentative: Tentative - ValueSet: http://hl7.org/fhir/ValueSet/payeetype|4.0.1 + references: 3, strongest binding: Example - #other: Provider - #provider: Provider - #subscriber: Subscriber - ValueSet: http://hl7.org/fhir/ValueSet/payment-adjustment-reason|4.0.1 + references: 2, strongest binding: Example - #a001: Prior Payment Reversal - #a002: Prior Overpayment - ValueSet: http://hl7.org/fhir/ValueSet/payment-status|4.0.1 + references: 1, strongest binding: Example - #cleared: Cleared - #paid: Paid - ValueSet: http://hl7.org/fhir/ValueSet/payment-type|4.0.1 + references: 1, strongest binding: Example - #adjustment: Adjustment - #advance: Advance - #payment: Payment - ValueSet: http://hl7.org/fhir/ValueSet/performer-function|4.0.1 + references: 1, strongest binding: Extensible - #ATND: attender - #AUT: author (originator) - #AUTHEN: authenticator @@ -31415,6 +31826,7 @@ Value Sets: 1193 (unversioned) - #VRF: verifier - #WIT: witness - ValueSet: http://hl7.org/fhir/ValueSet/permitted-data-type|4.0.1 + references: 1, strongest binding: Required - #boolean: boolean - #CodeableConcept: CodeableConcept - #dateTime: dateTime @@ -31427,11 +31839,13 @@ Value Sets: 1193 (unversioned) - #string: string - #time: time - ValueSet: http://hl7.org/fhir/ValueSet/plan-definition-type|4.0.1 + references: 1, strongest binding: Extensible - #clinical-protocol: Clinical Protocol - #eca-rule: ECA Rule - #order-set: Order Set - #workflow-definition: Workflow Definition - ValueSet: http://hl7.org/fhir/ValueSet/postal-address-use|4.0.1 + references: 1, strongest binding: Required - #BAD: bad address - #CONF: confidential address - #DIR: direct @@ -31441,6 +31855,7 @@ Value Sets: 1193 (unversioned) - #PST: postal address - #PUB: public - ValueSet: http://hl7.org/fhir/ValueSet/practitioner-role|4.0.1 + references: 1, strongest binding: Example - #doctor: Doctor - #ict: ICT professional - #nurse: Nurse @@ -31448,17 +31863,20 @@ Value Sets: 1193 (unversioned) - #researcher: Researcher - #teacher: Teacher/educator - ValueSet: http://hl7.org/fhir/ValueSet/practitioner-specialty|4.0.1 + references: 0, strongest binding: - #cardio: Cardiologist - #dent: Dentist - #dietary: Dietary consultant - #midw: Midwife - #sysarch: Systems architect - ValueSet: http://hl7.org/fhir/ValueSet/precision-estimate-type|4.0.1 + references: 2, strongest binding: Extensible - #CI: confidence interval - #IQR: interquartile range - #SD: standard deviation - #SE: standard error - ValueSet: http://hl7.org/fhir/ValueSet/probability-distribution-type|4.0.1 + references: 1, strongest binding: Required - #B: beta - #E: exponential - #F: F @@ -31469,6 +31887,7 @@ Value Sets: 1193 (unversioned) - #U: uniform - #X2: chi square - ValueSet: http://hl7.org/fhir/ValueSet/procedure-category|4.0.1 + references: 1, strongest binding: Example - #103693007: - #24642003: - #387713003: @@ -31477,6 +31896,7 @@ Value Sets: 1193 (unversioned) - #410606002: - #46947000: - ValueSet: http://hl7.org/fhir/ValueSet/procedure-followup|4.0.1 + references: 1, strongest binding: Example - #18949003: - #225164002: - #229506003: @@ -31488,10 +31908,12 @@ Value Sets: 1193 (unversioned) - #394725008: - #447346005: - ValueSet: http://hl7.org/fhir/ValueSet/procedure-outcome|4.0.1 + references: 1, strongest binding: Example - #385669000: - #385670004: - #385671000: - ValueSet: http://hl7.org/fhir/ValueSet/procedure-progress-status-codes|4.0.1 + references: 1, strongest binding: Example - #anesthesia-induced: Anesthesia Induced - #closed-incision: Closed Incision - #in-operating-room: In Operating Room @@ -31499,23 +31921,28 @@ Value Sets: 1193 (unversioned) - #open-incision: Open Incision - #prepared: Prepared - ValueSet: http://hl7.org/fhir/ValueSet/process-priority|4.0.1 + references: 2, strongest binding: Example - #deferred: Deferred - #normal: Normal - #stat: Immediate - ValueSet: http://hl7.org/fhir/ValueSet/product-category|4.0.1 + references: 1, strongest binding: Required - #biologicalAgent: BiologicalAgent - #cells: Cells - #fluid: Fluid - #organ: Organ - #tissue: Tissue - ValueSet: http://hl7.org/fhir/ValueSet/product-status|4.0.1 + references: 1, strongest binding: Required - #available: Available - #unavailable: Unavailable - ValueSet: http://hl7.org/fhir/ValueSet/product-storage-scale|4.0.1 + references: 1, strongest binding: Required - #celsius: Celsius - #farenheit: Fahrenheit - #kelvin: Kelvin - ValueSet: http://hl7.org/fhir/ValueSet/program|4.0.1 + references: 1, strongest binding: Example - #1: Acquired Brain Injury (ABI) Program  - #10: Cognitive Dementia Memory Service (CDAMS) - #11: ChildFIRST @@ -31562,12 +31989,14 @@ Value Sets: 1193 (unversioned) - #8: Community Aged Care Packages (CACP) - #9: Care Coordination & Supplementary Services (CCSS) - ValueSet: http://hl7.org/fhir/ValueSet/property-representation|4.0.1 + references: 1, strongest binding: Required - #cdaText: CDA Text Format - #typeAttr: Type Attribute - #xhtml: XHTML - #xmlAttr: XML Attribute - #xmlText: XML Text - ValueSet: http://hl7.org/fhir/ValueSet/provenance-activity-type|4.0.1 + references: 1, strongest binding: Extensible - #_ParticipationAncillary: ParticipationAncillary - #_ParticipationInformationGenerator: ParticipationInformationGenerator - #ADM: admitter @@ -31641,6 +32070,7 @@ Value Sets: 1193 (unversioned) - #VRF: verifier - #WIT: witness - ValueSet: http://hl7.org/fhir/ValueSet/provenance-agent-role|4.0.1 + references: 1, strongest binding: Example - #assembler: Assembler - #attester: Attester - #author: Author @@ -31652,6 +32082,7 @@ Value Sets: 1193 (unversioned) - #performer: Performer - #verifier: Verifier - ValueSet: http://hl7.org/fhir/ValueSet/provenance-agent-type|4.0.1 + references: 2, strongest binding: Extensible - #assembler: Assembler - #attester: Attester - #author: Author @@ -31663,17 +32094,20 @@ Value Sets: 1193 (unversioned) - #performer: Performer - #verifier: Verifier - ValueSet: http://hl7.org/fhir/ValueSet/provenance-entity-role|4.0.1 + references: 1, strongest binding: Required - #derivation: Derivation - #quotation: Quotation - #removal: Removal - #revision: Revision - #source: Source - ValueSet: http://hl7.org/fhir/ValueSet/provenance-history-agent-type|4.0.1 + references: 1, strongest binding: Extensible - #AUT: author (originator) - #ENT: data entry person - #INF: informant - #VRF: verifier - ValueSet: http://hl7.org/fhir/ValueSet/provenance-history-record-activity|4.0.1 + references: 1, strongest binding: Extensible - #ABORT: abort - #ACTIVATE: activate - #CANCEL: cancel @@ -31689,45 +32123,55 @@ Value Sets: 1193 (unversioned) - #SUSPEND: suspend - #UPDATE: revise - ValueSet: http://hl7.org/fhir/ValueSet/provider-qualification|4.0.1 + references: 2, strongest binding: Example - #311405: Dentist - #604210: Optometrist - #604215: Ophthalmologist - ValueSet: http://hl7.org/fhir/ValueSet/publication-status|4.0.1 + references: 31, strongest binding: Required - #active: Active - #draft: Draft - #retired: Retired - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/quality-type|4.0.1 + references: 1, strongest binding: Required - #indel: INDEL Comparison - #snp: SNP Comparison - #unknown: UNKNOWN Comparison - ValueSet: http://hl7.org/fhir/ValueSet/quantity-comparator|4.0.1 + references: 1, strongest binding: Required - #<: Less than - #<=: Less or Equal to - #>: Greater than - #>=: Greater or Equal to - ValueSet: http://hl7.org/fhir/ValueSet/question-max-occurs|4.0.1 + references: 0, strongest binding: - #*: Repeating - ValueSet: http://hl7.org/fhir/ValueSet/questionnaire-answers-status|4.0.1 + references: 1, strongest binding: Required - #amended: Amended - #completed: Completed - #entered-in-error: Entered in Error - #in-progress: In Progress - #stopped: Stopped - ValueSet: http://hl7.org/fhir/ValueSet/questionnaire-category|4.0.1 + references: 0, strongest binding: - #273384008: Consumer satisfaction questionnaire - #273479001: General health questionnaire - #273601006: Mental status questionnaire - #273820006: Social support questionnaire - #304784009: Administrative form - ValueSet: http://hl7.org/fhir/ValueSet/questionnaire-display-category|4.0.1 + references: 1, strongest binding: Extensible - #help: Help - #instructions: Instructions - #security: Security - ValueSet: http://hl7.org/fhir/ValueSet/questionnaire-enable-behavior|4.0.1 + references: 1, strongest binding: Required - #all: All - #any: Any - ValueSet: http://hl7.org/fhir/ValueSet/questionnaire-enable-operator|4.0.1 + references: 1, strongest binding: Required - #!=: Not Equals - #<: Less Than - #<=: Less or Equals @@ -31736,6 +32180,7 @@ Value Sets: 1193 (unversioned) - #>=: Greater or Equals - #exists: Exists - ValueSet: http://hl7.org/fhir/ValueSet/questionnaire-item-control|4.0.1 + references: 1, strongest binding: Extensible - #atable: Answer Table - #autocomplete: Auto-complete - #check-box: Check-box @@ -31762,42 +32207,51 @@ Value Sets: 1193 (unversioned) - #unit: Unit - #upper: Upper-bound - ValueSet: http://hl7.org/fhir/ValueSet/questionnaireresponse-mode|4.0.1 + references: 1, strongest binding: Required - #ELECTRONIC: electronic data - #VERBAL: verbal - #WRITTEN: written - ValueSet: http://hl7.org/fhir/ValueSet/questionnaire-usage-mode|4.0.1 + references: 1, strongest binding: Required - #capture: Capture Only - #capture-display: Capture & Display - #capture-display-non-empty: Capture or, if answered, Display - #display: Display Only - #display-non-empty: Display when Answered - ValueSet: http://hl7.org/fhir/ValueSet/reaction-event-certainty|4.0.1 + references: 1, strongest binding: Extensible - #confirmed: Confirmed - #likely: Likely - #unknown: Unknown - #unlikely: Unlikely - ValueSet: http://hl7.org/fhir/ValueSet/reaction-event-severity|4.0.1 + references: 1, strongest binding: Required - #mild: Mild - #moderate: Moderate - #severe: Severe - ValueSet: http://hl7.org/fhir/ValueSet/reason-medication-given-codes|4.0.1 + references: 1, strongest binding: Example - #a: None - #b: Given as Ordered - #c: Emergency - ValueSet: http://hl7.org/fhir/ValueSet/recommendation-strength|4.0.1 + references: 1, strongest binding: Example - #strong: Strong - #weak: Weak - ValueSet: http://hl7.org/fhir/ValueSet/reference-handling-policy|4.0.1 + references: 1, strongest binding: Required - #enforced: Reference Integrity Enforced - #literal: Literal References - #local: Local References Only - #logical: Logical References - #resolves: Resolves References - ValueSet: http://hl7.org/fhir/ValueSet/referencerange-appliesto|4.0.1 + references: 2, strongest binding: Example - #248152002: - #248153007: - #77386006: - ValueSet: http://hl7.org/fhir/ValueSet/referencerange-meaning|4.0.1 + references: 2, strongest binding: Extensible - #endocrine: Endocrine - #follicular: Follicular Stage - #luteal: Luteal @@ -31812,16 +32266,19 @@ Value Sets: 1193 (unversioned) - #treatment: Treatment Range - #type: Type - ValueSet: http://hl7.org/fhir/ValueSet/reference-version-rules|4.0.1 + references: 1, strongest binding: Required - #either: Either Specific or independent - #independent: Version independent - #specific: Version Specific - ValueSet: http://hl7.org/fhir/ValueSet/rejection-criteria|4.0.1 + references: 1, strongest binding: Example - #broken: broken specimen container - #clotted: specimen clotted - #hemolized: hemolized specimen - #insufficient: insufficient specimen volume - #wrong-temperature: specimen temperature inappropriate - ValueSet: http://hl7.org/fhir/ValueSet/related-artifact-type|4.0.1 + references: 1, strongest binding: Required - #citation: Citation - #composed-of: Composed Of - #depends-on: Depends On @@ -31831,9 +32288,11 @@ Value Sets: 1193 (unversioned) - #predecessor: Predecessor - #successor: Successor - ValueSet: http://hl7.org/fhir/ValueSet/related-claim-relationship|4.0.1 + references: 2, strongest binding: Example - #associated: Associated Claim - #prior: Prior Claim - ValueSet: http://hl7.org/fhir/ValueSet/relatedperson-relationshiptype|4.0.1 + references: 1, strongest binding: Preferred - #_PersonalRelationshipRoleType: PersonalRelationshipRoleType - #ADOPTF: adoptive father - #ADOPTM: adoptive mother @@ -31953,46 +32412,55 @@ Value Sets: 1193 (unversioned) - #UNCLE: uncle - #WIFE: wife - ValueSet: http://hl7.org/fhir/ValueSet/relationship|4.0.1 + references: 0, strongest binding: - #1: Self - #2: Spouse - #3: Child - #4: Common Law Spouse - #5: Other - ValueSet: http://hl7.org/fhir/ValueSet/relation-type|4.0.1 + references: 1, strongest binding: Required - #is-replaced-by: Replaced By - #triggers: Triggers - ValueSet: http://hl7.org/fhir/ValueSet/remittance-outcome|4.0.1 + references: 5, strongest binding: Required - #complete: Processing Complete - #error: Error - #partial: Partial Processing - #queued: Queued - ValueSet: http://hl7.org/fhir/ValueSet/report-action-result-codes|4.0.1 + references: 2, strongest binding: Required - #error: Error - #fail: Fail - #pass: Pass - #skip: Skip - #warning: Warning - ValueSet: http://hl7.org/fhir/ValueSet/report-participant-type|4.0.1 + references: 1, strongest binding: Required - #client: Client - #server: Server - #test-engine: Test Engine - ValueSet: http://hl7.org/fhir/ValueSet/report-result-codes|4.0.1 + references: 1, strongest binding: Required - #fail: Fail - #pass: Pass - #pending: Pending - ValueSet: http://hl7.org/fhir/ValueSet/report-status-codes|4.0.1 + references: 1, strongest binding: Required - #completed: Completed - #entered-in-error: Entered In Error - #in-progress: In Progress - #stopped: Stopped - #waiting: Waiting - ValueSet: http://hl7.org/fhir/ValueSet/repository-type|4.0.1 + references: 1, strongest binding: Required - #directlink: Click and see - #login: Result cannot be access unless an account is logged in - #oauth: Result need to be fetched with API and need LOGIN( or cookies are required when visiting the link of resource) - #openapi: The URL is the RESTful or other kind of API that can access to the result. - #other: Some other complicated or particular way to get resource from URL. - ValueSet: http://hl7.org/fhir/ValueSet/request-intent|4.0.1 + references: 5, strongest binding: Required - #directive: Directive - #filler-order: Filler Order - #instance-order: Instance Order @@ -32003,11 +32471,13 @@ Value Sets: 1193 (unversioned) - #proposal: Proposal - #reflex-order: Reflex Order - ValueSet: http://hl7.org/fhir/ValueSet/request-priority|4.0.1 + references: 11, strongest binding: Required - #asap: ASAP - #routine: Routine - #stat: STAT - #urgent: Urgent - ValueSet: http://hl7.org/fhir/ValueSet/request-resource-types|4.0.1 + references: 1, strongest binding: Required - #Appointment: Appointment - #AppointmentResponse: AppointmentResponse - #CarePlan: CarePlan @@ -32024,6 +32494,7 @@ Value Sets: 1193 (unversioned) - #Task: Task - #VisionPrescription: VisionPrescription - ValueSet: http://hl7.org/fhir/ValueSet/request-status|4.0.1 + references: 6, strongest binding: Required - #active: Active - #completed: Completed - #draft: Draft @@ -32032,14 +32503,17 @@ Value Sets: 1193 (unversioned) - #revoked: Revoked - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/research-element-type|4.0.1 + references: 1, strongest binding: Required - #exposure: Exposure - #outcome: Outcome - #population: Population - ValueSet: http://hl7.org/fhir/ValueSet/research-study-objective-type|4.0.1 + references: 1, strongest binding: Preferred - #exploratory: Exploratory - #primary: Primary - #secondary: Secondary - ValueSet: http://hl7.org/fhir/ValueSet/research-study-phase|4.0.1 + references: 1, strongest binding: Example - #early-phase-1: Early Phase 1 - #n-a: N/A - #phase-1: Phase 1 @@ -32049,6 +32523,7 @@ Value Sets: 1193 (unversioned) - #phase-3: Phase 3 - #phase-4: Phase 4 - ValueSet: http://hl7.org/fhir/ValueSet/research-study-prim-purp-type|4.0.1 + references: 1, strongest binding: Extensible - #basic-science: Basic Science - #device-feasibility: Device Feasibility - #diagnostic: Diagnostic @@ -32058,11 +32533,13 @@ Value Sets: 1193 (unversioned) - #supportive-care: Supportive Care - #treatment: Treatment - ValueSet: http://hl7.org/fhir/ValueSet/research-study-reason-stopped|4.0.1 + references: 1, strongest binding: Example - #accrual-goal-met: Accrual Goal Met - #closed-due-to-lack-of-study-progress: Closed due to lack of study progress - #closed-due-to-toxicity: Closed due to toxicity - #temporarily-closed-per-study-design: Temporarily closed per study design - ValueSet: http://hl7.org/fhir/ValueSet/research-study-status|4.0.1 + references: 1, strongest binding: Required - #active: Active - #administratively-completed: Administratively Completed - #approved: Approved @@ -32075,6 +32552,7 @@ Value Sets: 1193 (unversioned) - #temporarily-closed-to-accrual-and-intervention: Temporarily Closed to Accrual and Intervention - #withdrawn: Withdrawn - ValueSet: http://hl7.org/fhir/ValueSet/research-subject-status|4.0.1 + references: 1, strongest binding: Required - #candidate: Candidate - #eligible: Eligible - #follow-up: Follow-up @@ -32089,20 +32567,24 @@ Value Sets: 1193 (unversioned) - #screening: Screening - #withdrawn: Withdrawn - ValueSet: http://hl7.org/fhir/ValueSet/resource-aggregation-mode|4.0.1 + references: 1, strongest binding: Required - #bundled: Bundled - #contained: Contained - #referenced: Referenced - ValueSet: http://hl7.org/fhir/ValueSet/resource-security-category|4.0.1 + references: 1, strongest binding: Required - #anonymous: Anonymous READ Access Resource - #business: Business Sensitive Resource - #individual: Individual Sensitive Resource - #not-classified: Not classified - #patient: Patient Sensitive - ValueSet: http://hl7.org/fhir/ValueSet/resource-slicing-rules|4.0.1 + references: 1, strongest binding: Required - #closed: Closed - #open: Open - #openAtEnd: Open at End - ValueSet: http://hl7.org/fhir/ValueSet/resource-status|4.0.1 + references: 0, strongest binding: - #abandoned: abandoned - #accepted: accepted - #active: active @@ -32135,11 +32617,13 @@ Value Sets: 1193 (unversioned) - #unconfirmed: unconfirmed - #unknown: unknown - ValueSet: http://hl7.org/fhir/ValueSet/resource-type-link|4.0.1 + references: 0, strongest binding: - #organization: Organization - #patient: Patient - #practitioner: Practitioner - #relatedperson: RelatedPerson - ValueSet: http://hl7.org/fhir/ValueSet/resource-types|4.0.1 + references: 13, strongest binding: Required - #Account: Account - #ActivityDefinition: ActivityDefinition - #AdverseEvent: AdverseEvent @@ -32289,18 +32773,22 @@ Value Sets: 1193 (unversioned) - #VerificationResult: VerificationResult - #VisionPrescription: VisionPrescription - ValueSet: http://hl7.org/fhir/ValueSet/resource-validation-mode|4.0.1 + references: 0, strongest binding: - #create: Validate for Create - #delete: Validate for Delete - #profile: Validate Against a Profile - #update: Validate for Update - ValueSet: http://hl7.org/fhir/ValueSet/response-code|4.0.1 + references: 1, strongest binding: Required - #fatal-error: Fatal Error - #ok: OK - #transient-error: Transient Error - ValueSet: http://hl7.org/fhir/ValueSet/restful-capability-mode|4.0.1 + references: 1, strongest binding: Required - #client: Client - #server: Server - ValueSet: http://hl7.org/fhir/ValueSet/restful-security-service|4.0.1 + references: 1, strongest binding: Extensible - #Basic: Basic - #Certificates: Certificates - #Kerberos: Kerberos @@ -32308,6 +32796,7 @@ Value Sets: 1193 (unversioned) - #OAuth: OAuth - #SMART-on-FHIR: SMART-on-FHIR - ValueSet: http://hl7.org/fhir/ValueSet/risk-estimate-type|4.0.1 + references: 1, strongest binding: Extensible - #count: count - #derivedProportion: derivedProportion - #descriptive: descriptive @@ -32315,12 +32804,14 @@ Value Sets: 1193 (unversioned) - #median: median - #proportion: proportion - ValueSet: http://hl7.org/fhir/ValueSet/risk-probability|4.0.1 + references: 1, strongest binding: Example - #certain: Certain - #high: High likelihood - #low: Low likelihood - #moderate: Moderate likelihood - #negligible: Negligible likelihood - ValueSet: http://hl7.org/fhir/ValueSet/search-comparator|4.0.1 + references: 1, strongest binding: Required - #ap: Approximately - #eb: Ends Before - #eq: Equals @@ -32331,10 +32822,12 @@ Value Sets: 1193 (unversioned) - #ne: Not Equals - #sa: Starts After - ValueSet: http://hl7.org/fhir/ValueSet/search-entry-mode|4.0.1 + references: 1, strongest binding: Required - #include: Include - #match: Match - #outcome: Outcome - ValueSet: http://hl7.org/fhir/ValueSet/search-modifier-code|4.0.1 + references: 1, strongest binding: Required - #above: Above - #below: Below - #contains: Contains @@ -32348,6 +32841,7 @@ Value Sets: 1193 (unversioned) - #text: Text - #type: Type - ValueSet: http://hl7.org/fhir/ValueSet/search-param-type|4.0.1 + references: 3, strongest binding: Required - #composite: Composite - #date: Date/DateTime - #number: Number @@ -32358,15 +32852,18 @@ Value Sets: 1193 (unversioned) - #token: Token - #uri: URI - ValueSet: http://hl7.org/fhir/ValueSet/search-xpath-usage|4.0.1 + references: 1, strongest binding: Required - #distance: Distance - #nearby: Nearby - #normal: Normal - #other: Other - #phonetic: Phonetic - ValueSet: http://hl7.org/fhir/ValueSet/secondary-finding|4.0.1 + references: 1, strongest binding: Extensible - #acmg-version1: ACMG Version 1 - #acmg-version2: ACMG Version 2 - ValueSet: http://hl7.org/fhir/ValueSet/security-role-type|4.0.1 + references: 3, strongest binding: Extensible - #_CitizenRoleType: CitizenRoleType - #110150: Application - #110151: Application Launcher @@ -32444,16 +32941,19 @@ Value Sets: 1193 (unversioned) - #VERF: Verifier - #WIT: witness - ValueSet: http://hl7.org/fhir/ValueSet/sequence-type|4.0.1 + references: 1, strongest binding: Required - #aa: AA Sequence - #dna: DNA Sequence - #rna: RNA Sequence - ValueSet: http://hl7.org/fhir/ValueSet/series-performer-function|4.0.1 + references: 1, strongest binding: Extensible - #CON: consultant - #PRF: performer - #REF: referrer - #SPRF: secondary performer - #VRF: verifier - ValueSet: http://hl7.org/fhir/ValueSet/service-category|4.0.1 + references: 4, strongest binding: Example - #1: Adoption - #10: Dental - #11: Disability Support @@ -32493,9 +32993,11 @@ Value Sets: 1193 (unversioned) - #8: Counselling - #9: Death Services - ValueSet: http://hl7.org/fhir/ValueSet/service-modifiers|4.0.1 + references: 0, strongest binding: - #ah: After hours - #sr: Side of the Road - ValueSet: http://hl7.org/fhir/ValueSet/service-pharmacy|4.0.1 + references: 0, strongest binding: - #compoundfee: Compounding Fee - #dispensefee: Dispense Fee - #drugcost: Drug Cost @@ -32503,6 +33005,7 @@ Value Sets: 1193 (unversioned) - #markup: Markup - #smokecess: Smoking cessation - ValueSet: http://hl7.org/fhir/ValueSet/service-place|4.0.1 + references: 4, strongest binding: Example - #01: Pharmacy - #03: School - #04: Homeless Shelter @@ -32521,31 +33024,37 @@ Value Sets: 1193 (unversioned) - #21: Inpatient Hospital - #41: Ambulance—Land - ValueSet: http://hl7.org/fhir/ValueSet/service-product|4.0.1 + references: 0, strongest binding: - #exam: Exam - #flushot: Flu shot - ValueSet: http://hl7.org/fhir/ValueSet/service-provision-conditions|4.0.1 + references: 1, strongest binding: Example - #cost: Fees apply - #disc: Discounts Available - #free: Free - ValueSet: http://hl7.org/fhir/ValueSet/service-referral-method|4.0.1 + references: 1, strongest binding: Example - #elec: Secure Messaging - #fax: Fax - #mail: Mail - #phone: Phone - #semail: Secure Email - ValueSet: http://hl7.org/fhir/ValueSet/servicerequest-category|4.0.1 + references: 1, strongest binding: Example - #108252007: Laboratory procedure - #363679005: Imaging - #387713003: Surgical procedure - #409063005: Counselling - #409073007: Education - ValueSet: http://hl7.org/fhir/ValueSet/servicerequest-orderdetail|4.0.1 + references: 1, strongest binding: Example - #243144002: Patient triggered inspiratory assistance (procedure) - #243150007: Assisted controlled mandatory ventilation (procedure) - #286812008: Pressure controlled ventilation (procedure) - #47545007: Continuous positive airway pressure ventilation treatment (regime/therapy) - #59427005: Synchronized intermittent mandatory ventilation (procedure) - ValueSet: http://hl7.org/fhir/ValueSet/service-type|4.0.1 + references: 5, strongest binding: Example - #1: Adoption/Permanent Care Info/Support - #10: Personal Alarms/Alerts - #100: Disability Information/Referral @@ -33143,6 +33652,7 @@ Value Sets: 1193 (unversioned) - #98: Disability Case Management - #99: Disability Day Programs/Activities - ValueSet: http://hl7.org/fhir/ValueSet/service-uscls|4.0.1 + references: 14, strongest binding: Example - #1101: Exam, comp, primary - #1102: Exam, comp, mixed - #1103: Exam, comp, permanent @@ -33164,6 +33674,7 @@ Value Sets: 1193 (unversioned) - #99333: Lab, in office - #99555: Expense - ValueSet: http://hl7.org/fhir/ValueSet/sibling-relationship-codes|4.0.1 + references: 0, strongest binding: - #BRO: brother - #FTWIN: fraternal twin - #FTWINBRO: fraternal twin brother @@ -33186,6 +33697,7 @@ Value Sets: 1193 (unversioned) - #TWINBRO: twin brother - #TWINSIS: twin sister - ValueSet: http://hl7.org/fhir/ValueSet/signature-type|4.0.1 + references: 2, strongest binding: Preferred - #1.2.840.10065.1.12.1.1: Author's Signature - #1.2.840.10065.1.12.1.10: Identity Witness Signature - #1.2.840.10065.1.12.1.11: Consent Witness Signature @@ -33205,12 +33717,14 @@ Value Sets: 1193 (unversioned) - #1.2.840.10065.1.12.1.8: Signature Witness Signature - #1.2.840.10065.1.12.1.9: Event Witness Signature - ValueSet: http://hl7.org/fhir/ValueSet/slotstatus|4.0.1 + references: 1, strongest binding: Required - #busy: Busy - #busy-tentative: Busy (Tentative) - #busy-unavailable: Busy (Unavailable) - #entered-in-error: Entered in error - #free: Free - ValueSet: http://hl7.org/fhir/ValueSet/smart-capabilities|4.0.1 + references: 1, strongest binding: Required - #client-confidential-symmetric: Confidential Client Profile - #client-public: Public Client Profile - #context-ehr-encounter: Allows "Encounter Level Launch Context (EHR)" @@ -33226,9 +33740,11 @@ Value Sets: 1193 (unversioned) - #permission-user: Supports User Level Scopes - #sso-openid-connect: Supports OpenID Connect - ValueSet: http://hl7.org/fhir/ValueSet/sort-direction|4.0.1 + references: 1, strongest binding: Required - #ascending: Ascending - #descending: Descending - ValueSet: http://hl7.org/fhir/ValueSet/spdx-license|4.0.1 + references: 1, strongest binding: Required - #0BSD: BSD Zero Clause License - #AAL: Attribution Assurance License - #Abstyles: Abstyles License @@ -33576,6 +34092,7 @@ Value Sets: 1193 (unversioned) - #ZPL-2.0: Zope Public License 2.0 - #ZPL-2.1: Zope Public License 2.1 - ValueSet: http://hl7.org/fhir/ValueSet/special-values|4.0.1 + references: 0, strongest binding: - #false: false - #nil-known: Nil Known - #sufficient: Sufficient Quantity @@ -33583,6 +34100,7 @@ Value Sets: 1193 (unversioned) - #true: true - #withdrawn: Value Withdrawn - ValueSet: http://hl7.org/fhir/ValueSet/specimen-collection|4.0.1 + references: 1, strongest binding: Example - #129300006: Puncture - action - #129304002: Excision - action - #129314006: Biopsy - action @@ -33594,6 +34112,7 @@ Value Sets: 1193 (unversioned) - #70777001: Urine specimen collection, catheterized - #73416001: Urine specimen collection, clean catch - ValueSet: http://hl7.org/fhir/ValueSet/specimen-collection-method|4.0.1 + references: 1, strongest binding: Example - #129300006: Puncture - action - #129304002: Excision - action - #129314006: Biopsy - action @@ -33605,6 +34124,7 @@ Value Sets: 1193 (unversioned) - #70777001: Urine specimen collection, catheterized - #73416001: Urine specimen collection, clean catch - ValueSet: http://hl7.org/fhir/ValueSet/specimen-collection-priority|4.0.1 + references: 1, strongest binding: Example - #1: STAT - #2: ASAP - #3: ASAP-ED @@ -33613,9 +34133,11 @@ Value Sets: 1193 (unversioned) - #6: NURSE COLLECT - #7: CALL OR FAX - ValueSet: http://hl7.org/fhir/ValueSet/specimen-contained-preference|4.0.1 + references: 1, strongest binding: Required - #alternate: Alternate - #preferred: Preferred - ValueSet: http://hl7.org/fhir/ValueSet/specimen-processing-procedure|4.0.1 + references: 1, strongest binding: Example - #ACID: Acidification - #ALK: Alkalization - #DEFB: Defibrination @@ -33625,11 +34147,13 @@ Value Sets: 1193 (unversioned) - #RECA: Recalification - #UFIL: Ultrafiltration - ValueSet: http://hl7.org/fhir/ValueSet/specimen-status|4.0.1 + references: 1, strongest binding: Required - #available: Available - #entered-in-error: Entered in Error - #unavailable: Unavailable - #unsatisfactory: Unsatisfactory - ValueSet: http://hl7.org/fhir/ValueSet/standards-status|4.0.1 + references: 1, strongest binding: Required - #deprecated: Deprecated - #draft: Draft - #external: External @@ -33637,14 +34161,17 @@ Value Sets: 1193 (unversioned) - #normative: Normative - #trial-use: Trial-Use - ValueSet: http://hl7.org/fhir/ValueSet/strand-type|4.0.1 + references: 1, strongest binding: Required - #crick: Crick strand of referenceSeq - #watson: Watson strand of referenceSeq - ValueSet: http://hl7.org/fhir/ValueSet/structure-definition-kind|4.0.1 + references: 1, strongest binding: Required - #complex-type: Complex Data Type - #logical: Logical - #primitive-type: Primitive Data Type - #resource: Resource - ValueSet: http://hl7.org/fhir/ValueSet/study-type|4.0.1 + references: 2, strongest binding: Extensible - #case-control: case-control study - #case-report: case report - #CCT: controlled trial (non-randomized) @@ -33653,12 +34180,14 @@ Value Sets: 1193 (unversioned) - #RCT: randomized trial - #series: uncontrolled cohort or case series - ValueSet: http://hl7.org/fhir/ValueSet/subject-type|4.0.1 + references: 9, strongest binding: Extensible - #Device: Device - #Location: Location - #Organization: Organization - #Patient: Patient - #Practitioner: Practitioner - ValueSet: http://hl7.org/fhir/ValueSet/subscriber-relationship|4.0.1 + references: 1, strongest binding: Extensible - #child: Child - #common: Common Law Spouse - #injured: Injured Party @@ -33667,20 +34196,24 @@ Value Sets: 1193 (unversioned) - #self: Self - #spouse: Spouse - ValueSet: http://hl7.org/fhir/ValueSet/subscription-channel-type|4.0.1 + references: 1, strongest binding: Required - #email: Email - #message: Message - #rest-hook: Rest Hook - #sms: SMS - #websocket: Websocket - ValueSet: http://hl7.org/fhir/ValueSet/subscription-status|4.0.1 + references: 1, strongest binding: Required - #active: Active - #error: Error - #off: Off - #requested: Requested - ValueSet: http://hl7.org/fhir/ValueSet/subscription-tag|4.0.1 + references: 0, strongest binding: - #delivered: Delivered - #queued: Queued - ValueSet: http://hl7.org/fhir/ValueSet/substance-category|4.0.1 + references: 1, strongest binding: Extensible - #allergen: Allergen - #biological: Biological Substance - #body: Body Substance @@ -33689,10 +34222,12 @@ Value Sets: 1193 (unversioned) - #food: Dietary Substance - #material: Material - ValueSet: http://hl7.org/fhir/ValueSet/substance-status|4.0.1 + references: 1, strongest binding: Required - #active: Active - #entered-in-error: Entered in Error - #inactive: Inactive - ValueSet: http://hl7.org/fhir/ValueSet/supplement-type|4.0.1 + references: 1, strongest binding: Example - #441531000124102: Standard Enteral Formula - #441561000124106: Standard enteral formula with fiber - #441571000124104: High energy enteral formula with fiber @@ -33739,20 +34274,25 @@ Value Sets: 1193 (unversioned) - #444401000124107: Frozen electrolyte replacement supplement - #444431000124104: Pediatric reduced energy formula - ValueSet: http://hl7.org/fhir/ValueSet/supplydelivery-status|4.0.1 + references: 1, strongest binding: Required - #abandoned: Abandoned - #completed: Delivered - #entered-in-error: Entered In Error - #in-progress: In Progress - ValueSet: http://hl7.org/fhir/ValueSet/supplydelivery-type|4.0.1 + references: 1, strongest binding: Required - #device: Device - #medication: Medication - ValueSet: http://hl7.org/fhir/ValueSet/supplyrequest-kind|4.0.1 + references: 1, strongest binding: Example - #central: Central Supply - #nonstock: Non-Stock - ValueSet: http://hl7.org/fhir/ValueSet/supplyrequest-reason|4.0.1 + references: 1, strongest binding: Example - #patient-care: Patient Care - #ward-stock: Ward Stock - ValueSet: http://hl7.org/fhir/ValueSet/supplyrequest-status|4.0.1 + references: 1, strongest binding: Required - #active: Active - #cancelled: Cancelled - #completed: Completed @@ -33761,6 +34301,7 @@ Value Sets: 1193 (unversioned) - #suspended: Suspended - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/surface|4.0.1 + references: 4, strongest binding: Example - #B: Buccal - #D: Distal - #DI: Distoincisal @@ -33773,6 +34314,7 @@ Value Sets: 1193 (unversioned) - #O: Occlusal - #V: Ventral - ValueSet: http://hl7.org/fhir/ValueSet/synthesis-type|4.0.1 + references: 2, strongest binding: Extensible - #classification: classifcation of results - #combined-NMA: combined direct plus indirect network meta-analysis - #indirect-NMA: indirect network meta-analysis @@ -33780,11 +34322,13 @@ Value Sets: 1193 (unversioned) - #range: range of results - #std-MA: summary data meta-analysis - ValueSet: http://hl7.org/fhir/ValueSet/system-restful-interaction|4.0.1 + references: 1, strongest binding: Required - #batch: batch - #history-system: history-system - #search-system: search-system - #transaction: transaction - ValueSet: http://hl7.org/fhir/ValueSet/task-code|4.0.1 + references: 1, strongest binding: Example - #abort: Mark the focal resource as no longer active - #approve: Activate/approve the focal resource - #change: Change the focal resource @@ -33793,6 +34337,7 @@ Value Sets: 1193 (unversioned) - #resume: Re-activate the focal resource - #suspend: Suspend the focal resource - ValueSet: http://hl7.org/fhir/ValueSet/task-intent|4.0.1 + references: 1, strongest binding: Required - #filler-order: Filler Order - #instance-order: Instance Order - #option: Option @@ -33803,6 +34348,7 @@ Value Sets: 1193 (unversioned) - #reflex-order: Reflex Order - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/task-status|4.0.1 + references: 1, strongest binding: Required - #accepted: Accepted - #cancelled: Cancelled - #completed: Completed @@ -33816,6 +34362,7 @@ Value Sets: 1193 (unversioned) - #rejected: Rejected - #requested: Requested - ValueSet: http://hl7.org/fhir/ValueSet/teeth|4.0.1 + references: 0, strongest binding: - #11: 11 - #12: 12 - #13: 13 @@ -33849,6 +34396,7 @@ Value Sets: 1193 (unversioned) - #47: 47 - #48: 48 - ValueSet: http://hl7.org/fhir/ValueSet/template-status-code|4.0.1 + references: 1, strongest binding: Required - #active: active - #cancelled: Cancelled - #draft: Draft @@ -33858,6 +34406,7 @@ Value Sets: 1193 (unversioned) - #review: In Review - #terminated: Terminated - ValueSet: http://hl7.org/fhir/ValueSet/testscript-operation-codes|4.0.1 + references: 1, strongest binding: Extensible - #apply: $apply - #batch: Batch - #capabilities: Capabilities @@ -33904,14 +34453,17 @@ Value Sets: 1193 (unversioned) - #validate-code: $validate-code - #vread: Version Read - ValueSet: http://hl7.org/fhir/ValueSet/testscript-profile-destination-types|4.0.1 + references: 1, strongest binding: Extensible - #FHIR-SDC-FormManager: FHIR SDC FormManager - #FHIR-SDC-FormProcessor: FHIR SDC FormProcessor - #FHIR-SDC-FormReceiver: FHIR SDC FormReceiver - #FHIR-Server: FHIR Server - ValueSet: http://hl7.org/fhir/ValueSet/testscript-profile-origin-types|4.0.1 + references: 1, strongest binding: Extensible - #FHIR-Client: FHIR Client - #FHIR-SDC-FormFiller: FHIR SDC FormFiller - ValueSet: http://hl7.org/fhir/ValueSet/texture-code|4.0.1 + references: 1, strongest binding: Example - #228049004: Chopped food - #228053002: Cut-up food - #228055009: Liquidized food @@ -33927,6 +34479,7 @@ Value Sets: 1193 (unversioned) - #441791000124106: Strained food - #441881000124103: Ground food - ValueSet: http://hl7.org/fhir/ValueSet/timing-abbreviation|4.0.1 + references: 1, strongest binding: Preferred - #AM: AM - #BED: at bedtime - #BID: BID @@ -33944,6 +34497,7 @@ Value Sets: 1193 (unversioned) - #TID: TID - #WK: weekly - ValueSet: http://hl7.org/fhir/ValueSet/tooth|4.0.1 + references: 4, strongest binding: Example - #0: Oral cavity - #1: 1 - #11: 11 @@ -33986,11 +34540,13 @@ Value Sets: 1193 (unversioned) - #7: 7 - #8: 8 - ValueSet: http://hl7.org/fhir/ValueSet/transaction-mode|4.0.1 + references: 0, strongest binding: - #batch: Batches supported - #both: Batches & Transactions - #not-supported: None - #transaction: Transactions Supported - ValueSet: http://hl7.org/fhir/ValueSet/trigger-type|4.0.1 + references: 1, strongest binding: Required - #data-accessed: Data Accessed - #data-access-ended: Data Access Ended - #data-added: Data Added @@ -34000,9 +34556,11 @@ Value Sets: 1193 (unversioned) - #named-event: Named Event - #periodic: Periodic - ValueSet: http://hl7.org/fhir/ValueSet/type-derivation-rule|4.0.1 + references: 1, strongest binding: Required - #constraint: Constraint - #specialization: Specialization - ValueSet: http://hl7.org/fhir/ValueSet/type-restful-interaction|4.0.1 + references: 1, strongest binding: Required - #create: create - #delete: delete - #history-instance: history-instance @@ -34013,16 +34571,20 @@ Value Sets: 1193 (unversioned) - #update: update - #vread: vread - ValueSet: http://hl7.org/fhir/ValueSet/ucum-bodylength|4.0.1 + references: 0, strongest binding: - #[in_i]: - #cm: - ValueSet: http://hl7.org/fhir/ValueSet/ucum-bodytemp|4.0.1 + references: 0, strongest binding: - #[degF]: - #Cel: - ValueSet: http://hl7.org/fhir/ValueSet/ucum-bodyweight|4.0.1 + references: 0, strongest binding: - #[lb_av]: - #g: - #kg: - ValueSet: http://hl7.org/fhir/ValueSet/ucum-common|4.0.1 + references: 0, strongest binding: - #': minute - #'': second - #%: percent @@ -35381,6 +35943,7 @@ Value Sets: 1193 (unversioned) - #Wb: Weber - #wk: week - ValueSet: http://hl7.org/fhir/ValueSet/ucum-vitals-common|4.0.1 + references: 1, strongest binding: Required - #%: percent - #/min: per minute - #[degF]: degree Fahrenheit @@ -35394,8 +35957,10 @@ Value Sets: 1193 (unversioned) - #m2: square meter - #mm[Hg]: millimeter of mercury - ValueSet: http://hl7.org/fhir/ValueSet/udi|4.0.1 + references: 0, strongest binding: - #gudid: GUDID (FDA) - ValueSet: http://hl7.org/fhir/ValueSet/udi-entry-type|4.0.1 + references: 1, strongest binding: Required - #barcode: Barcode - #card: Card - #manual: Manual @@ -35403,6 +35968,7 @@ Value Sets: 1193 (unversioned) - #self-reported: Self Reported - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/units-of-time|4.0.1 + references: 2, strongest binding: Required - #a: year - #d: day - #h: hour @@ -35411,11 +35977,13 @@ Value Sets: 1193 (unversioned) - #s: second - #wk: week - ValueSet: http://hl7.org/fhir/ValueSet/unknown-content-code|4.0.1 + references: 0, strongest binding: - #both: Unknown Elements and Extensions - #elements: Unknown Elements - #extensions: Unknown Extensions - #no: Neither Elements or Extensions - ValueSet: http://hl7.org/fhir/ValueSet/usage-context-type|4.0.1 + references: 1, strongest binding: Extensible - #age: Age Range - #focus: Clinical Focus - #gender: Gender @@ -35426,32 +35994,39 @@ Value Sets: 1193 (unversioned) - #venue: Clinical Venue - #workflow: Workflow Setting - ValueSet: http://hl7.org/fhir/ValueSet/variable-type|4.0.1 + references: 2, strongest binding: Required - #continuous: Continuous - #descriptive: Descriptive - #dichotomous: Dichotomous - ValueSet: http://hl7.org/fhir/ValueSet/variant-state|4.0.1 + references: 0, strongest binding: - #absent: absent - #negative: negative - #positive: positive - ValueSet: http://hl7.org/fhir/ValueSet/verificationresult-can-push-updates|4.0.1 + references: 1, strongest binding: Preferred - #no: No - #undetermined: Undetermined - #yes: Yes - ValueSet: http://hl7.org/fhir/ValueSet/verificationresult-communication-method|4.0.1 + references: 2, strongest binding: Example - #manual: Manual - #portal: Portal - #pull: Pull - #push: Push - ValueSet: http://hl7.org/fhir/ValueSet/verificationresult-failure-action|4.0.1 + references: 1, strongest binding: Preferred - #fatal: Fatal - #none: None - #rec-only: Record only - #warn: Warning - ValueSet: http://hl7.org/fhir/ValueSet/verificationresult-need|4.0.1 + references: 1, strongest binding: Preferred - #initial: Initial - #none: None - #periodic: Periodic - ValueSet: http://hl7.org/fhir/ValueSet/verificationresult-primary-source-type|4.0.1 + references: 1, strongest binding: Example - #auth-source: Authoritative source - #cont-ed: Continuing Education - #issuer: Issuing source @@ -35462,10 +36037,12 @@ Value Sets: 1193 (unversioned) - #reg-auth: Registration Authority - #rel-own: Relationship owner - ValueSet: http://hl7.org/fhir/ValueSet/verificationresult-push-type-available|4.0.1 + references: 1, strongest binding: Preferred - #any: Any changes - #source: As defined by source - #specific: Specific requested changes - ValueSet: http://hl7.org/fhir/ValueSet/verificationresult-status|4.0.1 + references: 1, strongest binding: Required - #attested: Attested - #in-process: In process - #req-revalid: Requires revalidation @@ -35473,6 +36050,7 @@ Value Sets: 1193 (unversioned) - #val-fail: Validation failed - #validated: Validated - ValueSet: http://hl7.org/fhir/ValueSet/verificationresult-validation-process|4.0.1 + references: 1, strongest binding: Example - #edit-check: edit check - #in-context: in context - #multi: multiple sources @@ -35480,29 +36058,36 @@ Value Sets: 1193 (unversioned) - #standalone: standalone - #valueset: value set - ValueSet: http://hl7.org/fhir/ValueSet/verificationresult-validation-status|4.0.1 + references: 1, strongest binding: Preferred - #failed: Failed - #successful: Successful - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/verificationresult-validation-type|4.0.1 + references: 1, strongest binding: Preferred - #multiple: Multiple Sources - #nothing: Nothing - #primary: Primary Source - ValueSet: http://hl7.org/fhir/ValueSet/versioning-policy|4.0.1 + references: 1, strongest binding: Required - #no-version: No VersionId Support - #versioned: Versioned - #versioned-update: VersionId tracked fully - ValueSet: http://hl7.org/fhir/ValueSet/vision-base-codes|4.0.1 + references: 1, strongest binding: Required - #down: Down - #in: In - #out: Out - #up: Up - ValueSet: http://hl7.org/fhir/ValueSet/vision-eye-codes|4.0.1 + references: 1, strongest binding: Required - #left: Left Eye - #right: Right Eye - ValueSet: http://hl7.org/fhir/ValueSet/vision-product|4.0.1 + references: 1, strongest binding: Example - #contact: Contact Lens - #lens: Lens - ValueSet: http://hl7.org/fhir/ValueSet/written-language|4.0.1 + references: 0, strongest binding: - #ar: Arabic - #bn: Bengali - #cs: Czech @@ -35530,10 +36115,12 @@ Value Sets: 1193 (unversioned) - #te: Telegu - #zh: Chinese - ValueSet: http://hl7.org/fhir/ValueSet/yesnodontknow|4.0.1 + references: 0, strongest binding: - #asked-unknown: Asked But Unknown - #N: No - #Y: Yes - ValueSet: http://terminology.hl7.org/ValueSet/v2-0001|2.9 + references: 0, strongest binding: - #A: Ambiguous - #F: Female - #M: Male @@ -35541,6 +36128,7 @@ Value Sets: 1193 (unversioned) - #O: Other - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0002|2.9 + references: 0, strongest binding: - #A: Separated - #B: Unmarried - #C: Common law @@ -35558,6 +36146,7 @@ Value Sets: 1193 (unversioned) - #U: Unknown - #W: Widowed - ValueSet: http://terminology.hl7.org/ValueSet/v2-0003|2.9 + references: 0, strongest binding: - #A01: ADT/ACK - Admit/visit notification - #A02: ADT/ACK - Transfer a patient - #A03: ADT/ACK - Discharge/end visit @@ -35863,6 +36452,7 @@ Value Sets: 1193 (unversioned) - #V04: VXU - Unsolicited vaccination record update - #Varies: MFQ/MFR - Master files query (use event same as asking for e.g., M05 - location) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0004|2.9 + references: 0, strongest binding: - #B: Obstetrics - #C: Commercial Account - #E: Emergency @@ -35873,6 +36463,7 @@ Value Sets: 1193 (unversioned) - #R: Recurring patient - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0005|2.9 + references: 0, strongest binding: - #1002-5: American Indian or Alaska Native - #2028-9: Asian - #2054-5: Black or African American @@ -35880,6 +36471,7 @@ Value Sets: 1193 (unversioned) - #2106-3: White - #2131-1: Other Race - ValueSet: http://terminology.hl7.org/ValueSet/v2-0007|2.9 + references: 0, strongest binding: - #A: Accident - #C: Elective - #E: Emergency @@ -35888,6 +36480,7 @@ Value Sets: 1193 (unversioned) - #R: Routine - #U: Urgent - ValueSet: http://terminology.hl7.org/ValueSet/v2-0008|2.9 + references: 0, strongest binding: - #AA: Original mode: Application Accept - Enhanced mode: Application acknowledgment: Accept - #AE: Original mode: Application Error - Enhanced mode: Application acknowledgment: Error - #AR: Original mode: Application Reject - Enhanced mode: Application acknowledgment: Reject @@ -35895,6 +36488,7 @@ Value Sets: 1193 (unversioned) - #CE: Enhanced mode: Accept acknowledgment: Commit Error - #CR: Enhanced mode: Accept acknowledgment: Commit Reject - ValueSet: http://terminology.hl7.org/ValueSet/v2-0009|2.9 + references: 0, strongest binding: - #A0: No functional limitations - #A1: Ambulates with assistive device - #A2: Wheelchair/stretcher bound @@ -35912,20 +36506,24 @@ Value Sets: 1193 (unversioned) - #B5: Paraplegic - #B6: Pregnant - ValueSet: http://terminology.hl7.org/ValueSet/v2-0017|2.9 + references: 0, strongest binding: - #AJ: Adjustment - #CD: Credit - #CG: Charge - #CO: Co-payment - #PY: Payment - ValueSet: http://terminology.hl7.org/ValueSet/v2-0023|2.9 + references: 0, strongest binding: - #...: No suggested values defined - ValueSet: http://terminology.hl7.org/ValueSet/v2-0027|2.9 + references: 0, strongest binding: - #A: As soon as possible (a priority lower than stat) - #P: Preoperative (to be done prior to surgery) - #R: Routine - #S: Stat (do immediately) - #T: Timing critical (do as near as possible to requested time) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0038|2.9 + references: 0, strongest binding: - #A: Some, but not all, results available - #CA: Order was canceled - #CM: Order is completed @@ -35936,24 +36534,29 @@ Value Sets: 1193 (unversioned) - #RP: Order has been replaced - #SC: In process, scheduled - ValueSet: http://terminology.hl7.org/ValueSet/v2-0043|2.9 + references: 0, strongest binding: - #...: No suggested values defined - ValueSet: http://terminology.hl7.org/ValueSet/v2-0052|2.9 + references: 0, strongest binding: - #A: Admitting - #F: Final - #W: Working - ValueSet: http://terminology.hl7.org/ValueSet/v2-0061|2.9 + references: 0, strongest binding: - #BCV: Bank Card Validation Number - #ISO: ISO 7064: 1983 - #M10: Mod 10 algorithm - #M11: Mod 11 algorithm - #NPI: Check digit algorithm in the US National Provider Identifier - ValueSet: http://terminology.hl7.org/ValueSet/v2-0062|2.9 + references: 0, strongest binding: - #01: Patient request - #02: Physician/health practitioner order - #03: Census management - #O: Other - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0063|2.9 + references: 0, strongest binding: - #ASC: Associate - #BRO: Brother - #CGV: Care giver @@ -35987,6 +36590,7 @@ Value Sets: 1193 (unversioned) - #UNK: Unknown - #WRD: Ward of court - ValueSet: http://terminology.hl7.org/ValueSet/v2-0065|2.9 + references: 0, strongest binding: - #A: Add ordered tests to the existing specimen - #G: Generated order; reflex order - #L: Lab to obtain specimen from patient @@ -35995,6 +36599,7 @@ Value Sets: 1193 (unversioned) - #R: Revised order - #S: Schedule the tests specified below - ValueSet: http://terminology.hl7.org/ValueSet/v2-0066|2.9 + references: 0, strongest binding: - #1: Full time employed - #2: Part time employed - #3: Unemployed @@ -36007,12 +36612,14 @@ Value Sets: 1193 (unversioned) - #O: Other - #T: Temporarily unemployed - ValueSet: http://terminology.hl7.org/ValueSet/v2-0069|2.9 + references: 0, strongest binding: - #CAR: Cardiac Service - #MED: Medical Service - #PUL: Pulmonary Service - #SUR: Surgical Service - #URO: Urology Service - ValueSet: http://terminology.hl7.org/ValueSet/v2-0074|2.9 + references: 0, strongest binding: - #AU: Audiology - #BG: Blood Gases - #BLB: Blood Bank @@ -36055,6 +36662,7 @@ Value Sets: 1193 (unversioned) - #VUS: Vascular Ultrasound - #XRC: Cineradiograph - ValueSet: http://terminology.hl7.org/ValueSet/v2-0076|2.9 + references: 0, strongest binding: - #ACK: General acknowledgment message - #ADR: ADT response - #ADT: ADT message @@ -36198,6 +36806,7 @@ Value Sets: 1193 (unversioned) - #VXU: Unsolicited vaccination record update - #VXX: Response for vaccination query with multiple PID matches - ValueSet: http://terminology.hl7.org/ValueSet/v2-0080|2.9 + references: 0, strongest binding: - #A: An age-based population - #B: Breed - #N: None - generic normal range @@ -36206,9 +36815,11 @@ Value Sets: 1193 (unversioned) - #SP: Species - #ST: Strain - ValueSet: http://terminology.hl7.org/ValueSet/v2-0083|2.9 + references: 0, strongest binding: - #C: Outlier cost - #D: Outlier days - ValueSet: http://terminology.hl7.org/ValueSet/v2-0085|2.9 + references: 0, strongest binding: - #A: Amended based on adjustments provided by the Placer (Physician) regarding patient demographics (such as age and/or gender or other patient specific information - #B: Appended Report - Final results reviewed and further information provided for clarity without change to the original result values. - #C: Record coming over is a correction and thus replaces a final result @@ -36225,27 +36836,33 @@ Value Sets: 1193 (unversioned) - #W: Post original as wrong, e.g., transmitted for wrong patient - #X: Results cannot be obtained for this observation - ValueSet: http://terminology.hl7.org/ValueSet/v2-0091|2.9 + references: 0, strongest binding: - #D: Deferred - #I: Immediate - ValueSet: http://terminology.hl7.org/ValueSet/v2-0092|2.9 + references: 1, strongest binding: Example - #R: Re-admission - ValueSet: http://terminology.hl7.org/ValueSet/v2-0098|2.9 + references: 0, strongest binding: - #M: Maternity - #S: Standard - #U: Unified - ValueSet: http://terminology.hl7.org/ValueSet/v2-0100|2.9 + references: 0, strongest binding: - #D: On discharge - #O: On receipt of order - #R: At time service is completed - #S: At time service is started - #T: At a designated date/time - ValueSet: http://terminology.hl7.org/ValueSet/v2-0103|2.9 + references: 0, strongest binding: - #D: Debugging - #N: Non-Production Testing - #P: Production - #T: Training - #V: Validation - ValueSet: http://terminology.hl7.org/ValueSet/v2-0104|2.9 + references: 0, strongest binding: - #2.0: Release 2.0 - #2.0D: Demo 2.0 - #2.1: Release 2.1 @@ -36263,10 +36880,12 @@ Value Sets: 1193 (unversioned) - #2.8.2: Release 2.8.2 - #2.9: Draft 2.9 - ValueSet: http://terminology.hl7.org/ValueSet/v2-0105|2.9 + references: 0, strongest binding: - #L: Ancillary (filler) department is source of comment - #O: Other system is source of comment - #P: Orderer (placer) is source of comment - ValueSet: http://terminology.hl7.org/ValueSet/v2-0116|2.9 + references: 1, strongest binding: Preferred - #C: Closed - #H: Housekeeping - #I: Isolated @@ -36274,6 +36893,7 @@ Value Sets: 1193 (unversioned) - #O: Occupied - #U: Unoccupied - ValueSet: http://terminology.hl7.org/ValueSet/v2-0119|2.9 + references: 0, strongest binding: - #AF: Order/service refill request approval - #CA: Cancel order/service request - #CH: Child order/service @@ -36333,12 +36953,14 @@ Value Sets: 1193 (unversioned) - #XR: Changed as requested - #XX: Order/service changed, unsol. - ValueSet: http://terminology.hl7.org/ValueSet/v2-0121|2.9 + references: 0, strongest binding: - #D: Same as R, also other associated segments - #E: Report exceptions only - #F: Same as D, plus confirmations explicitly - #N: Only the MSA segment is returned - #R: Same as E, also Replacement and Parent-Child - ValueSet: http://terminology.hl7.org/ValueSet/v2-0122|2.9 + references: 0, strongest binding: - #CH: Charge - #CO: Contract - #CR: Credit @@ -36348,6 +36970,7 @@ Value Sets: 1193 (unversioned) - #PC: Professional - #RS: Research - ValueSet: http://terminology.hl7.org/ValueSet/v2-0123|2.9 + references: 0, strongest binding: - #A: Some, but not all, results available - #C: Corrected, final - #F: Final results @@ -36362,11 +36985,13 @@ Value Sets: 1193 (unversioned) - #Y: No order on record for this test - #Z: No record of this patient - ValueSet: http://terminology.hl7.org/ValueSet/v2-0124|2.9 + references: 0, strongest binding: - #CART: Cart - patient travels on cart or gurney - #PORT: The examining device goes to patient's location - #WALK: Patient walks to diagnostic service - #WHLC: Wheelchair - ValueSet: http://terminology.hl7.org/ValueSet/v2-0125|2.9 + references: 0, strongest binding: - #AD: Address - #AUI: Authorization information - #CCD: Charge code and date @@ -36458,12 +37083,14 @@ Value Sets: 1193 (unversioned) - #XPN: Extended person name - #XTN: Extended telecommunications number - ValueSet: http://terminology.hl7.org/ValueSet/v2-0126|2.9 + references: 0, strongest binding: - #CH: Characters - #LI: Lines - #PG: Pages - #RD: Records - #ZO: Locally defined - ValueSet: http://terminology.hl7.org/ValueSet/v2-0127|2.9 + references: 0, strongest binding: - #AA: Animal Allergy - #DA: Drug allergy - #EA: Environmental Allergy @@ -36473,16 +37100,19 @@ Value Sets: 1193 (unversioned) - #MC: Miscellaneous contraindication - #PA: Plant Allergy - ValueSet: http://terminology.hl7.org/ValueSet/v2-0128|2.9 + references: 0, strongest binding: - #MI: Mild - #MO: Moderate - #SV: Severe - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0130|2.9 + references: 0, strongest binding: - #HO: Home - #MO: Mobile Unit - #PH: Phone - #TE: Teaching - ValueSet: http://terminology.hl7.org/ValueSet/v2-0131|2.9 + references: 0, strongest binding: - #C: Emergency Contact - #E: Employer - #F: Federal Agency @@ -36492,19 +37122,23 @@ Value Sets: 1193 (unversioned) - #S: State Agency - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0135|2.9 + references: 0, strongest binding: - #M: Modified assignment - #N: No - #Y: Yes - ValueSet: http://terminology.hl7.org/ValueSet/v2-0136|2.9 + references: 0, strongest binding: - #N: No - #Y: Yes - ValueSet: http://terminology.hl7.org/ValueSet/v2-0137|2.9 + references: 0, strongest binding: - #E: Employer - #G: Guarantor - #I: Insurance company - #O: Other - #P: Patient - ValueSet: http://terminology.hl7.org/ValueSet/v2-0140|2.9 + references: 0, strongest binding: - #AUSA: Australian Army - #AUSAF: Australian Air Force - #AUSN: Australian Navy @@ -36517,10 +37151,12 @@ Value Sets: 1193 (unversioned) - #USN: US Navy - #USPHS: US Public Health Service - ValueSet: http://terminology.hl7.org/ValueSet/v2-0142|2.9 + references: 0, strongest binding: - #ACT: Active duty - #DEC: Deceased - #RET: Retired - ValueSet: http://terminology.hl7.org/ValueSet/v2-0144|2.9 + references: 0, strongest binding: - #1: Insurance company - #2: Employer - #3: Insured presented policy @@ -36529,6 +37165,7 @@ Value Sets: 1193 (unversioned) - #6: Verbal information - #7: None - ValueSet: http://terminology.hl7.org/ValueSet/v2-0145|2.9 + references: 0, strongest binding: - #2ICU: Second intensive care unit - #2PRI: Second private room - #2SPR: Second semi-private room @@ -36536,49 +37173,59 @@ Value Sets: 1193 (unversioned) - #PRI: Private room - #SPR: Semi-private room - ValueSet: http://terminology.hl7.org/ValueSet/v2-0146|2.9 + references: 0, strongest binding: - #DF: Differential - #LM: Limit - #PC: Percentage - #RT: Rate - #UL: Unlimited - ValueSet: http://terminology.hl7.org/ValueSet/v2-0147|2.9 + references: 0, strongest binding: - #2ANC: Second ancillary - #2MMD: Second major medical - #3MMD: Third major medical - #ANC: Ancillary - #MMD: Major medical - ValueSet: http://terminology.hl7.org/ValueSet/v2-0148|2.9 + references: 0, strongest binding: - #AT: Currency amount - #PC: Percentage - ValueSet: http://terminology.hl7.org/ValueSet/v2-0149|2.9 + references: 0, strongest binding: - #AP: Approved - #DE: Denied - #PE: Pending - ValueSet: http://terminology.hl7.org/ValueSet/v2-0150|2.9 + references: 0, strongest binding: - #ER: Emergency - #IPE: Inpatient elective - #OPE: Outpatient elective - #UR: Urgent - ValueSet: http://terminology.hl7.org/ValueSet/v2-0155|2.9 + references: 0, strongest binding: - #AL: Always - #ER: Error/reject conditions only - #NE: Never - #SU: Successful completion only - ValueSet: http://terminology.hl7.org/ValueSet/v2-0159|2.9 + references: 0, strongest binding: - #D: Diet - #P: Preference - #S: Supplement - ValueSet: http://terminology.hl7.org/ValueSet/v2-0160|2.9 + references: 0, strongest binding: - #EARLY: Early tray - #GUEST: Guest tray - #LATE: Late tray - #MSG: Tray message only - #NO: No tray - ValueSet: http://terminology.hl7.org/ValueSet/v2-0161|2.9 + references: 0, strongest binding: - #G: Allow generic substitutions. - #N: Substitutions are NOT authorized. (This is the default - null.) - #T: Allow therapeutic substitutions - ValueSet: http://terminology.hl7.org/ValueSet/v2-0162|2.9 + references: 0, strongest binding: - #AP: Apply Externally - #B: Buccal - #DT: Dental @@ -36627,6 +37274,7 @@ Value Sets: 1193 (unversioned) - #VM: Ventimask - #WND: Wound - ValueSet: http://terminology.hl7.org/ValueSet/v2-0163|2.9 + references: 0, strongest binding: - #BE: Bilateral Ears - #BN: Bilateral Nares - #BU: Buttock @@ -36682,6 +37330,7 @@ Value Sets: 1193 (unversioned) - #RVG: Right Ventragluteal - #RVL: Right Vastus Lateralis - ValueSet: http://terminology.hl7.org/ValueSet/v2-0164|2.9 + references: 0, strongest binding: - #AP: Applicator - #BT: Buretrol - #HL: Heparin Lock @@ -36692,6 +37341,7 @@ Value Sets: 1193 (unversioned) - #NEB: Nebulizer - #PCA: PCA Pump - ValueSet: http://terminology.hl7.org/ValueSet/v2-0165|2.9 + references: 0, strongest binding: - #CH: Chew - #DI: Dissolve - #DU: Dust @@ -36708,9 +37358,11 @@ Value Sets: 1193 (unversioned) - #WA: Wash - #WI: Wipe - ValueSet: http://terminology.hl7.org/ValueSet/v2-0166|2.9 + references: 0, strongest binding: - #A: Additive - #B: Base - ValueSet: http://terminology.hl7.org/ValueSet/v2-0167|2.9 + references: 0, strongest binding: - #0: No product selection indicated - #1: Substitution not allowed by prescriber - #2: Substitution allowed - patient requested product dispensed @@ -36723,6 +37375,7 @@ Value Sets: 1193 (unversioned) - #N: No substitute was dispensed. This is equivalent to the default (null) value. - #T: A therapeutic substitution was dispensed. - ValueSet: http://terminology.hl7.org/ValueSet/v2-0168|2.9 + references: 0, strongest binding: - #A: As soon as possible (a priority lower than stat) - #B: Do at bedside or portable (may be used with other codes) - #C: Measure continuously (e.g., arterial line blood pressure) @@ -36731,22 +37384,27 @@ Value Sets: 1193 (unversioned) - #S: Stat (do immediately) - #T: Timing critical (do as near as possible to requested time) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0169|2.9 + references: 0, strongest binding: - #C: Call back results - #R: Rush reporting - ValueSet: http://terminology.hl7.org/ValueSet/v2-0170|2.9 + references: 0, strongest binding: - #C: Child Observation - #N: Not Applicable - #P: Parent Observation - ValueSet: http://terminology.hl7.org/ValueSet/v2-0173|2.9 + references: 0, strongest binding: - #CO: Coordination - #IN: Independent - ValueSet: http://terminology.hl7.org/ValueSet/v2-0174|2.9 + references: 0, strongest binding: - #A: Atomic service/test/observation (test code or treatment code) - #C: Single observation calculated via a rule or formula from other independent observations (e.g., Alveolar-arterial ratio, cardiac output) - #F: Functional procedure that may consist of one or more interrelated measures (e.g., glucose tolerance test, creatinine clearance), usually done at different times and/or on different specimens - #P: Profile or battery consisting of many independent atomic observations (e.g., SMA12, electrolytes), usually done at one instrument on one specimen - #S: Superset-a set of batteries or procedures ordered under a single code unit but processed as separate batteries (e.g., routines = CBC, UA, electrolytes)

This set indicates that the code being described is used to order multiple service/test/observation b - ValueSet: http://terminology.hl7.org/ValueSet/v2-0175|2.9 + references: 0, strongest binding: - #CDM: Charge description master file - #CLN: Clinic master file - #CMA: Clinical study with phases and scheduled master file @@ -36764,6 +37422,7 @@ Value Sets: 1193 (unversioned) - #PRA: Practitioner master file - #STF: Staff master file - ValueSet: http://terminology.hl7.org/ValueSet/v2-0177|2.9 + references: 0, strongest binding: - #AID: AIDS patient - #EMP: Employee - #ETH: Alcohol/drug treatment patient @@ -36775,26 +37434,32 @@ Value Sets: 1193 (unversioned) - #V: Very restricted - #VIP: Very important person or celebrity - ValueSet: http://terminology.hl7.org/ValueSet/v2-0178|2.9 + references: 0, strongest binding: - #REP: Replace current version of this master file with the version contained in this message - #UPD: Change file records as defined in the record-level event codes for each record that follows - ValueSet: http://terminology.hl7.org/ValueSet/v2-0179|2.9 + references: 0, strongest binding: - #AL: Always. All MFA segments (whether denoting errors or not) must be returned via the application-level acknowledgment message - #ER: Error/Reject conditions only. Only MFA segments denoting errors must be returned via the application-level acknowledgment for this message - #NE: Never. No application-level response needed - #SU: Success. Only MFA segments denoting success must be returned via the application-level acknowledgment for this message - ValueSet: http://terminology.hl7.org/ValueSet/v2-0180|2.9 + references: 0, strongest binding: - #MAC: Reactivate deactivated record - #MAD: Add record to master file - #MDC: Deactivate: discontinue using record in master file, but do not delete from database - #MDL: Delete record from master file - #MUP: Update record for master file - ValueSet: http://terminology.hl7.org/ValueSet/v2-0181|2.9 + references: 0, strongest binding: - #S: Successful posting of the record defined by the MFE segment - #U: Unsuccessful posting of the record defined by the MFE segment - ValueSet: http://terminology.hl7.org/ValueSet/v2-0183|2.9 + references: 0, strongest binding: - #A: Active Staff - #I: Inactive Staff - ValueSet: http://terminology.hl7.org/ValueSet/v2-0185|2.9 + references: 0, strongest binding: - #B: Beeper Number - #C: Cellular Phone Number - #E: E-Mail Address (for backward compatibility) @@ -36802,13 +37467,16 @@ Value Sets: 1193 (unversioned) - #H: Home Phone Number - #O: Office Phone Number - ValueSet: http://terminology.hl7.org/ValueSet/v2-0187|2.9 + references: 0, strongest binding: - #I: Institution bills for provider - #P: Provider does own billing - ValueSet: http://terminology.hl7.org/ValueSet/v2-0189|2.9 + references: 0, strongest binding: - #H: Hispanic or Latino - #N: Not Hispanic or Latino - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0190|2.9 + references: 0, strongest binding: - #B: Firm/Business - #BA: Bad address - #BDL: Birth delivery location (address where birth occurred) @@ -36828,6 +37496,7 @@ Value Sets: 1193 (unversioned) - #TM: Tube Address - #V: Vacation - ValueSet: http://terminology.hl7.org/ValueSet/v2-0191|2.9 + references: 0, strongest binding: - #AP: Other application data, typically uninterpreted binary data (HL7 V2.3 and later) - #AU: Audio data (HL7 V2.3 and later) - #FT: Formatted text (HL7 V2.2 only) @@ -36839,11 +37508,13 @@ Value Sets: 1193 (unversioned) - #TEXT: Machine readable text document (HL7 V2.3.1 and later) - #TX: Machine readable text document (HL7 V2.2 only) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0193|2.9 + references: 0, strongest binding: - #AT: Amount - #LM: Limit - #PC: Percentage - #UL: Unlimited - ValueSet: http://terminology.hl7.org/ValueSet/v2-0200|2.9 + references: 0, strongest binding: - #A: Assigned - #B: Birth name - #BAD: Bad Name @@ -36867,6 +37538,7 @@ Value Sets: 1193 (unversioned) - #TEMP: Temporary Name - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0201|2.9 + references: 0, strongest binding: - #ASN: Answering Service Number - #BPN: Beeper Number - #EMR: Emergency Number @@ -36877,6 +37549,7 @@ Value Sets: 1193 (unversioned) - #VHN: Vacation Home Number - #WPN: Work Number - ValueSet: http://terminology.hl7.org/ValueSet/v2-0202|2.9 + references: 0, strongest binding: - #BP: Beeper - #CP: Cellular or Mobile Phone - #FX: Fax @@ -36888,6 +37561,7 @@ Value Sets: 1193 (unversioned) - #TTY: Teletypewriter - #X.400: X.400 email address - ValueSet: http://terminology.hl7.org/ValueSet/v2-0203|2.9 + references: 0, strongest binding: - #AC: Accreditation/Certification Identifier - #ACSN: Accession ID - #AM: American Express @@ -37016,11 +37690,13 @@ Value Sets: 1193 (unversioned) - #XV: Health Plan Identifier - #XX: Organization identifier - ValueSet: http://terminology.hl7.org/ValueSet/v2-0204|2.9 + references: 0, strongest binding: - #A: Alias name - #D: Display name - #L: Legal name - #SL: Stock exchange listing name - ValueSet: http://terminology.hl7.org/ValueSet/v2-0205|2.9 + references: 0, strongest binding: - #AP: administrative price or handling fee - #DC: direct unit cost - #IC: indirect unit cost @@ -37029,18 +37705,21 @@ Value Sets: 1193 (unversioned) - #TP: total price - #UP: unit price, may be based on length of procedure or service - ValueSet: http://terminology.hl7.org/ValueSet/v2-0206|2.9 + references: 0, strongest binding: - #A: Add/Insert - #D: Delete - #S: Used in Snapshot mode - #U: Update - #X: No Change - ValueSet: http://terminology.hl7.org/ValueSet/v2-0207|2.9 + references: 0, strongest binding: - #A: Archive - #I: Initial load - #Not present: Not present (the default, meaning current processing) - #R: Restore from archive - #T: Current processing, transmitted at intervals (scheduled or on demand) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0208|2.9 + references: 0, strongest binding: - #AE: Application error - #AR: Application reject - #NF: No data found, no errors @@ -37048,6 +37727,7 @@ Value Sets: 1193 (unversioned) - #PD: Protected data - #TM: Too much data found - ValueSet: http://terminology.hl7.org/ValueSet/v2-0209|2.9 + references: 0, strongest binding: - #CT: Contains - #EQ: Equal - #GE: Greater than or equal @@ -37057,9 +37737,11 @@ Value Sets: 1193 (unversioned) - #LT: Less than - #NE: Not Equal - ValueSet: http://terminology.hl7.org/ValueSet/v2-0210|2.9 + references: 0, strongest binding: - #AND: Default - #OR: - ValueSet: http://terminology.hl7.org/ValueSet/v2-0211|2.9 + references: 0, strongest binding: - #8859/1: The printable characters from the ISO 8859/1 Character set - #8859/15: The printable characters from the ISO 8859/15 (Latin-15) - #8859/2: The printable characters from the ISO 8859/2 Character set @@ -37082,28 +37764,34 @@ Value Sets: 1193 (unversioned) - #UNICODE: The world wide character standard from ISO/IEC 10646-1-1993 - #UNICODE UTF-8: UCS Transformation Format, 8-bit form - ValueSet: http://terminology.hl7.org/ValueSet/v2-0213|2.9 + references: 0, strongest binding: - #D: The visit is marked for deletion and the user cannot enter new data against it. - #I: The visit is marked inactive and the user cannot enter new data against it. - #P: Marked for purge. User is no longer able to update the visit. - ValueSet: http://terminology.hl7.org/ValueSet/v2-0214|2.9 + references: 0, strongest binding: - #CH: Child Health Assistance - #ES: Elective Surgery Program - #FP: Family Planning - #O: Other - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0215|2.9 + references: 0, strongest binding: - #F: Family only - #N: No Publicity - #O: Other - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0216|2.9 + references: 0, strongest binding: - #AI: Active Inpatient - #DI: Discharged Inpatient - ValueSet: http://terminology.hl7.org/ValueSet/v2-0217|2.9 + references: 0, strongest binding: - #1: Emergency - #2: Urgent - #3: Elective - ValueSet: http://terminology.hl7.org/ValueSet/v2-0220|2.9 + references: 0, strongest binding: - #A: Alone - #F: Family - #I: Institution @@ -37111,20 +37799,24 @@ Value Sets: 1193 (unversioned) - #S: Spouse Only - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0223|2.9 + references: 0, strongest binding: - #C: Small Children Dependent - #M: Medical Supervision Required - #O: Other - #S: Spouse Dependent - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0224|2.9 + references: 0, strongest binding: - #A: Arranged - #N: Not Arranged - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0225|2.9 + references: 0, strongest binding: - #N: Not Required - #R: Required - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0228|2.9 + references: 0, strongest binding: - #C: Consultation - #D: Diagnosis - #I: Invasive procedure not classified elsewhere (I.V., catheter, etc.) @@ -37134,21 +37826,26 @@ Value Sets: 1193 (unversioned) - #S: Sign and symptom - #T: Tissue diagnosis - ValueSet: http://terminology.hl7.org/ValueSet/v2-0229|2.9 + references: 0, strongest binding: - #...: No suggested values defined - ValueSet: http://terminology.hl7.org/ValueSet/v2-0230|2.9 + references: 0, strongest binding: - #A: Anesthesia - #D: Diagnostic procedure - #I: Invasive procedure not classified elsewhere (e.g., IV, catheter, etc.) - #P: Procedure for treatment (therapeutic, including operations) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0231|2.9 + references: 0, strongest binding: - #F: Full-time student - #N: Not a student - #P: Part-time student - ValueSet: http://terminology.hl7.org/ValueSet/v2-0232|2.9 + references: 0, strongest binding: - #01: Medicare claim status - #02: Medicaid claim status - #03: Name/address change - ValueSet: http://terminology.hl7.org/ValueSet/v2-0234|2.9 + references: 0, strongest binding: - #10D: 10 day report - #15D: 15 day report - #30D: 30 day report @@ -37160,6 +37857,7 @@ Value Sets: 1193 (unversioned) - #PD: Periodic - #RQ: Requested information - ValueSet: http://terminology.hl7.org/ValueSet/v2-0235|2.9 + references: 0, strongest binding: - #C: Clinical trial - #D: Database/registry/poison control center - #E: Distributor @@ -37171,11 +37869,13 @@ Value Sets: 1193 (unversioned) - #P: Patient - #R: Regulatory agency - ValueSet: http://terminology.hl7.org/ValueSet/v2-0236|2.9 + references: 0, strongest binding: - #D: Distributor - #L: Local facility/user facility - #M: Manufacturer - #R: Regulatory agency - ValueSet: http://terminology.hl7.org/ValueSet/v2-0237|2.9 + references: 0, strongest binding: - #A: Abuse - #B: Unexpected beneficial effect - #D: Dependency @@ -37185,14 +37885,17 @@ Value Sets: 1193 (unversioned) - #O: Overdose - #W: Drug withdrawal - ValueSet: http://terminology.hl7.org/ValueSet/v2-0238|2.9 + references: 0, strongest binding: - #N: No - #S: Significant - #Y: Yes - ValueSet: http://terminology.hl7.org/ValueSet/v2-0239|2.9 + references: 0, strongest binding: - #N: No - #U: Unknown - #Y: Yes - ValueSet: http://terminology.hl7.org/ValueSet/v2-0240|2.9 + references: 0, strongest binding: - #C: Congenital anomaly/birth defect - #D: Death - #H: Caused hospitalized @@ -37203,6 +37906,7 @@ Value Sets: 1193 (unversioned) - #P: Prolonged hospitalization - #R: Required intervention to prevent permanent impairment/damage - ValueSet: http://terminology.hl7.org/ValueSet/v2-0241|2.9 + references: 0, strongest binding: - #D: Died - #F: Fully recovered - #N: Not recovering/unchanged @@ -37211,6 +37915,7 @@ Value Sets: 1193 (unversioned) - #U: Unknown - #W: Worsening - ValueSet: http://terminology.hl7.org/ValueSet/v2-0242|2.9 + references: 0, strongest binding: - #C: Health care consumer/patient - #H: Other health professional - #L: Lawyer/attorney @@ -37219,10 +37924,12 @@ Value Sets: 1193 (unversioned) - #P: Physician (osteopath, homeopath) - #R: Pharmacist - ValueSet: http://terminology.hl7.org/ValueSet/v2-0243|2.9 + references: 0, strongest binding: - #N: No - #NA: Not applicable - #Y: Yes - ValueSet: http://terminology.hl7.org/ValueSet/v2-0247|2.9 + references: 0, strongest binding: - #A: Evaluation anticipated, but not yet begun - #C: Product received in condition which made analysis impossible - #D: Product discarded -- unable to follow up @@ -37236,17 +37943,20 @@ Value Sets: 1193 (unversioned) - #X: Product not made by company - #Y: Evaluation completed - ValueSet: http://terminology.hl7.org/ValueSet/v2-0248|2.9 + references: 0, strongest binding: - #A: Actual product involved in incident was evaluated - #L: A product from the same lot as the actual product involved was evaluated - #N: A product from a controlled/non-related inventory was evaluated - #R: A product from a reserve sample was evaluated - ValueSet: http://terminology.hl7.org/ValueSet/v2-0250|2.9 + references: 0, strongest binding: - #H: Highly probable - #I: Improbable - #M: Moderately probable - #N: Not related - #S: Somewhat probable - ValueSet: http://terminology.hl7.org/ValueSet/v2-0251|2.9 + references: 0, strongest binding: - #DI: Product dose or frequency of use increased - #DR: Product dose or frequency of use reduced - #N: None @@ -37254,6 +37964,7 @@ Value Sets: 1193 (unversioned) - #WP: Product withdrawn permanently - #WT: Product withdrawn temporarily - ValueSet: http://terminology.hl7.org/ValueSet/v2-0252|2.9 + references: 0, strongest binding: - #AW: Abatement of event after product withdrawn - #BE: Event recurred after product reintroduced - #DR: Dose response observed @@ -37266,12 +37977,14 @@ Value Sets: 1193 (unversioned) - #SE: Similar events in past for this patient - #TC: Toxic levels of product documented in blood or body fluids - ValueSet: http://terminology.hl7.org/ValueSet/v2-0253|2.9 + references: 0, strongest binding: - #B: Breast milk - #F: Father - #O: Other - #P: Transplacental - #X: Blood product - ValueSet: http://terminology.hl7.org/ValueSet/v2-0254|2.9 + references: 0, strongest binding: - #ABS: Absorbance - #ACNC: Concentration, Arbitrary Substance - #ACT: Activity @@ -37375,6 +38088,7 @@ Value Sets: 1193 (unversioned) - #VRAT: Volume Rate - #VRTO: Volume Ratio - ValueSet: http://terminology.hl7.org/ValueSet/v2-0255|2.9 + references: 0, strongest binding: - #*: (asterisk) Life of the "unit" - #12H: 12 hours - #1H: 1 hour @@ -37403,6 +38117,7 @@ Value Sets: 1193 (unversioned) - #LU: Life of the "unit" - #PT: point in time - ValueSet: http://terminology.hl7.org/ValueSet/v2-0256|2.9 + references: 0, strongest binding: - #10D: 10 days - #10M: 10 minutes post challenge - #12H: 12 hours post challenge @@ -37448,15 +38163,18 @@ Value Sets: 1193 (unversioned) - #RANDOM: Time from the challenge, or dose not specified. (random) - #TROUGH: The time post drug dose at which the lowest drug level is reached (varies with drug) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0257|2.9 + references: 0, strongest binding: - #CFST: Fasting (no calorie intake) for the period specified in the time component of the term, e.g., 1H POST CFST - #EXCZ: Exercise undertaken as challenge (can be quantified) - #FFST: No fluid intake for the period specified in the time component of the term - ValueSet: http://terminology.hl7.org/ValueSet/v2-0258|2.9 + references: 0, strongest binding: - #BPU: Blood product unit - #CONTROL: Control - #DONOR: Donor - #PATIENT: Patient - ValueSet: http://terminology.hl7.org/ValueSet/v2-0260|2.9 + references: 0, strongest binding: - #B: Bed - #C: Clinic - #D: Department @@ -37466,6 +38184,7 @@ Value Sets: 1193 (unversioned) - #O: Operating Room - #R: Room - ValueSet: http://terminology.hl7.org/ValueSet/v2-0261|2.9 + references: 0, strongest binding: - #EEG: Electro-Encephalogram - #EKG: Electro-Cardiogram - #INF: Infusion pump @@ -37475,6 +38194,7 @@ Value Sets: 1193 (unversioned) - #VEN: Ventilator - #VIT: Vital signs monitor - ValueSet: http://terminology.hl7.org/ValueSet/v2-0262|2.9 + references: 0, strongest binding: - #F: Isolation - #J: Private room - medically justified - #P: Private room @@ -37482,6 +38202,7 @@ Value Sets: 1193 (unversioned) - #S: Semi-private room - #W: Ward - ValueSet: http://terminology.hl7.org/ValueSet/v2-0263|2.9 + references: 0, strongest binding: - #A: Ambulatory - #C: Critical care - #E: Emergency @@ -37490,6 +38211,7 @@ Value Sets: 1193 (unversioned) - #R: Routine - #S: Surgery - ValueSet: http://terminology.hl7.org/ValueSet/v2-0265|2.9 + references: 0, strongest binding: - #ALC: Allergy - #AMB: Ambulatory - #CAN: Cancer @@ -37517,6 +38239,7 @@ Value Sets: 1193 (unversioned) - #SUR: Surgery - #WIC: Walk-in clinic - ValueSet: http://terminology.hl7.org/ValueSet/v2-0267|2.9 + references: 0, strongest binding: - #FRI: Friday - #MON: Monday - #SAT: Saturday @@ -37525,13 +38248,16 @@ Value Sets: 1193 (unversioned) - #TUE: Tuesday - #WED: Wednesday - ValueSet: http://terminology.hl7.org/ValueSet/v2-0268|2.9 + references: 0, strongest binding: - #A: Override allowed - #R: Override required - #X: Override not allowed - ValueSet: http://terminology.hl7.org/ValueSet/v2-0269|2.9 + references: 0, strongest binding: - #O: Charge on Order - #R: Charge on Result - ValueSet: http://terminology.hl7.org/ValueSet/v2-0270|2.9 + references: 0, strongest binding: - #AR: Autopsy report - #CD: Cardiodiagnostics - #CN: Consultation @@ -37547,6 +38273,7 @@ Value Sets: 1193 (unversioned) - #SP: Surgical pathology - #TS: Transfer summary - ValueSet: http://terminology.hl7.org/ValueSet/v2-0271|2.9 + references: 0, strongest binding: - #AU: Authenticated - #DI: Dictated - #DO: Documented @@ -37555,30 +38282,36 @@ Value Sets: 1193 (unversioned) - #LA: Legally authenticated - #PA: Pre-authenticated - ValueSet: http://terminology.hl7.org/ValueSet/v2-0272|2.9 + references: 0, strongest binding: - #R: Restricted - #U: Usual control - #V: Very restricted - ValueSet: http://terminology.hl7.org/ValueSet/v2-0273|2.9 + references: 0, strongest binding: - #AV: Available for patient care - #CA: Deleted - #OB: Obsolete - #UN: Unavailable for patient care - ValueSet: http://terminology.hl7.org/ValueSet/v2-0275|2.9 + references: 0, strongest binding: - #AA: Active and archived - #AC: Active - #AR: Archived (not active) - #PU: Purged - ValueSet: http://terminology.hl7.org/ValueSet/v2-0276|2.9 + references: 2, strongest binding: Preferred - #CHECKUP: A routine check-up, such as an annual physical - #EMERGENCY: Emergency appointment - #FOLLOWUP: A follow up visit from a previous appointment - #ROUTINE: Routine appointment - default if not valued - #WALKIN: A previously unscheduled walk-in visit - ValueSet: http://terminology.hl7.org/ValueSet/v2-0277|2.9 + references: 0, strongest binding: - #Complete: A request to add a completed appointment, used to maintain records of completed appointments that did not appear in the schedule (e.g., STAT, walk-in, etc.) - #Normal: Routine schedule request type – default if not valued - #Tentative: A request for a tentative (e.g., “penciled in”) appointment - ValueSet: http://terminology.hl7.org/ValueSet/v2-0278|2.9 + references: 0, strongest binding: - #Blocked: Blocked - #Booked: Booked - #Cancelled: Cancelled @@ -37592,15 +38325,18 @@ Value Sets: 1193 (unversioned) - #Started: Started - #Waitlist: Waitlist - ValueSet: http://terminology.hl7.org/ValueSet/v2-0279|2.9 + references: 0, strongest binding: - #Confirm: Contact the Placer Contact Person prior to making any substitutions of this resource - #No: Substitution of this resource is not allowed - #Notify: Notify the Placer Contact Person, through normal institutional procedures, that a substitution of this resource has been made - #Yes: Substitution of this resource is allowed - ValueSet: http://terminology.hl7.org/ValueSet/v2-0280|2.9 + references: 0, strongest binding: - #A: ASAP - #R: Routine - #S: STAT - ValueSet: http://terminology.hl7.org/ValueSet/v2-0281|2.9 + references: 0, strongest binding: - #Hom: Home Care - #Lab: Laboratory - #Med: Medical @@ -37608,26 +38344,31 @@ Value Sets: 1193 (unversioned) - #Rad: Radiology - #Skn: Skilled Nursing - ValueSet: http://terminology.hl7.org/ValueSet/v2-0282|2.9 + references: 0, strongest binding: - #AM: Assume Management - #RP: Return Patient After Evaluation - #SO: Second Opinion - #WR: Send Written Report - ValueSet: http://terminology.hl7.org/ValueSet/v2-0283|2.9 + references: 0, strongest binding: - #A: Accepted - #E: Expired - #P: Pending - #R: Rejected - ValueSet: http://terminology.hl7.org/ValueSet/v2-0284|2.9 + references: 0, strongest binding: - #A: Ambulatory - #E: Emergency - #I: Inpatient - #O: Outpatient - ValueSet: http://terminology.hl7.org/ValueSet/v2-0286|2.9 + references: 0, strongest binding: - #CP: Consulting Provider - #PP: Primary Care Provider - #RP: Referring Provider - #RT: Referred to Provider - ValueSet: http://terminology.hl7.org/ValueSet/v2-0287|2.9 + references: 0, strongest binding: - #AD: ADD - #CO: CORRECT - #DE: DELETE @@ -37637,6 +38378,7 @@ Value Sets: 1193 (unversioned) - #UN: UNLINK - #UP: UPDATE - ValueSet: http://terminology.hl7.org/ValueSet/v2-0291|2.9 + references: 0, strongest binding: - #BASIC: ISDN PCM audio data - #DICOM: Digital Imaging and Communications in Medicine - #FAX: Facsimile data @@ -37653,6 +38395,7 @@ Value Sets: 1193 (unversioned) - #x-hl7-cda-level-one: HL7 Clinical Document Architecture Level One document - #XML: Extensible Markup Language (HL7 V2.3.1 and later) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0294|2.9 + references: 0, strongest binding: - #Fri: An indicator that Friday is or is not preferred for the day on which the appointment will occur. - #Mon: An indicator that Monday is or is not preferred for the day on which the appointment will occur. - #Prefend: An indicator that there is a preferred end time for the appointment request, service or resource. @@ -37663,13 +38406,16 @@ Value Sets: 1193 (unversioned) - #Tue: An indicator that Tuesday is or is not preferred for the day on which the appointment will occur. - #Wed: An indicator that Wednesday is or is not preferred for the day on which the appointment will occur. - ValueSet: http://terminology.hl7.org/ValueSet/v2-0298|2.9 + references: 0, strongest binding: - #F: Flat-rate. Apply the entire price to this interval, do not pro-rate the price if the full interval has not occurred/been consumed - #P: Pro-rate. Apply this price to this interval, pro-rated by whatever portion of the interval has occurred/been consumed - ValueSet: http://terminology.hl7.org/ValueSet/v2-0299|2.9 + references: 0, strongest binding: - #A: No encoding - data are displayable ASCII characters. - #Base64: Encoding as defined by MIME (Multipurpose Internet Mail Extensions) standard RFC 1521. Four consecutive ASCII characters represent three consecutive octets of binary data. Base64 utilizes a 65-character subset of US-ASCII, consisting of both the upper and - #Hex: Hexadecimal encoding - consecutive pairs of hexadecimal digits represent consecutive single octets. - ValueSet: http://terminology.hl7.org/ValueSet/v2-0301|2.9 + references: 0, strongest binding: - #CAP: College of American Pathologist Accreditation Number - #CLIA: Clinical Laboratory Improvement Amendments - #CLIP: Clinical laboratory Improvement Program @@ -37690,6 +38436,7 @@ Value Sets: 1193 (unversioned) - #x400: X.400 MHS identifier - #x500: X500 directory Name - ValueSet: http://terminology.hl7.org/ValueSet/v2-0305|2.9 + references: 0, strongest binding: - #C: Clinic - #D: Department - #H: Home @@ -37698,22 +38445,26 @@ Value Sets: 1193 (unversioned) - #P: Phone - #S: SNF - ValueSet: http://terminology.hl7.org/ValueSet/v2-0309|2.9 + references: 0, strongest binding: - #B: Both hospital and physician - #H: Hospital/institutional - #P: Physician/professional - #RX: Pharmacy - ValueSet: http://terminology.hl7.org/ValueSet/v2-0311|2.9 + references: 0, strongest binding: - #O: Other - #P: Permanent - #T: Temporary - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0315|2.9 + references: 0, strongest binding: - #F: Yes, patient has a living will but it is not on file - #I: No, patient does not have a living will but information was provided - #N: No, patient does not have a living will and no information was provided - #U: Unknown - #Y: Yes, patient has a living will - ValueSet: http://terminology.hl7.org/ValueSet/v2-0316|2.9 + references: 0, strongest binding: - #F: Yes, patient is a documented donor, but documentation is not on file - #I: No, patient is not a documented donor, but information was provided - #N: No, patient has not agreed to be a donor @@ -37722,22 +38473,26 @@ Value Sets: 1193 (unversioned) - #U: Unknown - #Y: Yes, patient is a documented donor and documentation is on file - ValueSet: http://terminology.hl7.org/ValueSet/v2-0317|2.9 + references: 0, strongest binding: - #9900: Pace spike - #9901: SAS marker - #9902: Sense marker - #9903: Beat marker - #9904: etc. - ValueSet: http://terminology.hl7.org/ValueSet/v2-0321|2.9 + references: 0, strongest binding: - #AD: Automatic Dispensing - #F: Floor Stock - #TR: Traditional - #UD: Unit Dose - ValueSet: http://terminology.hl7.org/ValueSet/v2-0322|2.9 + references: 0, strongest binding: - #CP: Complete - #NA: Not Administered - #PA: Partially Administered - #RE: Refused - ValueSet: http://terminology.hl7.org/ValueSet/v2-0324|2.9 + references: 0, strongest binding: - #GEN: Gender of patient(s) - #IMP: Implant: can be used for radiation implant patients - #INF: Infectious disease: this location can be used for isolation @@ -37751,6 +38506,7 @@ Value Sets: 1193 (unversioned) - #STF: Bed is staffed - #TEA: Teaching location - ValueSet: http://terminology.hl7.org/ValueSet/v2-0325|2.9 + references: 0, strongest binding: - #ALI: Location Alias(es) - #DTY: Nearest dietary location - #LAB: Nearest lab @@ -37759,12 +38515,15 @@ Value Sets: 1193 (unversioned) - #RX: Nearest pharmacy - #RX2: Second nearest pharmacy - ValueSet: http://terminology.hl7.org/ValueSet/v2-0326|2.9 + references: 0, strongest binding: - #A: Account level - #V: Visit level - ValueSet: http://terminology.hl7.org/ValueSet/v2-0329|2.9 + references: 0, strongest binding: - #A: Actual count - #E: Estimated (see comment) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0330|2.9 + references: 0, strongest binding: - #510E: 510 (K) exempt - #510K: 510 (K) - #522S: Post marketing study (522) @@ -37772,19 +38531,23 @@ Value Sets: 1193 (unversioned) - #PRE: Preamendment - #TXN: Transitional - ValueSet: http://terminology.hl7.org/ValueSet/v2-0331|2.9 + references: 0, strongest binding: - #A: Agent for a foreign manufacturer - #D: Distributor - #M: Manufacturer - #U: User - ValueSet: http://terminology.hl7.org/ValueSet/v2-0332|2.9 + references: 0, strongest binding: - #A: Accept - #I: Initiate - ValueSet: http://terminology.hl7.org/ValueSet/v2-0334|2.9 + references: 0, strongest binding: - #AP: Associated party - #GT: Guarantor - #IN: Insured - #PT: Patient - ValueSet: http://terminology.hl7.org/ValueSet/v2-0335|2.9 + references: 0, strongest binding: - #A: Ante (before) - #BID: twice a day at institution-specified times - #C: service is provided continuously between start time and stop time @@ -37814,14 +38577,17 @@ Value Sets: 1193 (unversioned) - #V: Cibus Vespertinus (dinner) - #xID: "X" times per day at institution-specified times, where X is a numeral 5 or greater. - ValueSet: http://terminology.hl7.org/ValueSet/v2-0336|2.9 + references: 0, strongest binding: - #O: Provider Ordered - #P: Patient Preference - #S: Second Opinion - #W: Work Load - ValueSet: http://terminology.hl7.org/ValueSet/v2-0337|2.9 + references: 0, strongest binding: - #C: Certified - #E: Eligible - ValueSet: http://terminology.hl7.org/ValueSet/v2-0338|2.9 + references: 0, strongest binding: - #CY: County number - #DEA: Drug Enforcement Agency no. - #GL: General ledger number @@ -37835,11 +38601,13 @@ Value Sets: 1193 (unversioned) - #TRL: Training license number - #UPIN: Unique physician ID no. - ValueSet: http://terminology.hl7.org/ValueSet/v2-0339|2.9 + references: 0, strongest binding: - #1: Service is subject to medical necessity procedures - #2: Patient has been informed of responsibility, and agrees to pay for service - #3: Patient has been informed of responsibility, and asks that the payer be billed - #4: Advanced Beneficiary Notice has not been signed - ValueSet: http://terminology.hl7.org/ValueSet/v2-0344|2.9 + references: 0, strongest binding: - #01: Patient is insured - #02: Spouse - #03: Natural child/insured financial responsibility @@ -37860,14 +38628,18 @@ Value Sets: 1193 (unversioned) - #18: Parent - #19: Grandparent - ValueSet: http://terminology.hl7.org/ValueSet/v2-0350|2.9 + references: 0, strongest binding: - #...: Use NUBC codes - ValueSet: http://terminology.hl7.org/ValueSet/v2-0351|2.9 + references: 0, strongest binding: - #...: use NUBC codes - ValueSet: http://terminology.hl7.org/ValueSet/v2-0353|2.9 + references: 0, strongest binding: - #NA: not applicable - #NASK: not asked - #NAV: temporarily unavailable - ValueSet: http://terminology.hl7.org/ValueSet/v2-0354|2.9 + references: 0, strongest binding: - #ACK: Varies - #ADR_A19: - #ADT_A01: A01, A04, A08, A13 @@ -38082,14 +38854,17 @@ Value Sets: 1193 (unversioned) - #UDM_Q05: Q05 - #VXU_V04: V04 - ValueSet: http://terminology.hl7.org/ValueSet/v2-0355|2.9 + references: 0, strongest binding: - #CE: Coded element - #CWE: Coded with Exceptions - #PL: Person location - ValueSet: http://terminology.hl7.org/ValueSet/v2-0356|2.9 + references: 0, strongest binding: - #: This is the default, indicating that there is no character set switching occurring in this message. - #2.3: The character set switching mode specified in HL7 2.5, section 2.7.2 and section 2.A.46, "XPN - extended person name". - #ISO 2022-1994: This standard is titled "Information Technology - Character Code Structure and Extension Technique". . - ValueSet: http://terminology.hl7.org/ValueSet/v2-0357|2.9 + references: 0, strongest binding: - #0: Message accepted - #100: Segment sequence error - #101: Required field missing @@ -38107,14 +38882,17 @@ Value Sets: 1193 (unversioned) - #206: Application record locked - #207: Application error - ValueSet: http://terminology.hl7.org/ValueSet/v2-0359|2.9 + references: 0, strongest binding: - #0: Not included in diagnosis ranking - #1: The primary diagnosis - #2: For secondary diagnosis - #3: For tertiary diagnosis - #4: For quaternary diagnosis - ValueSet: http://terminology.hl7.org/ValueSet/v2-0363|2.9 + references: 0, strongest binding: - #...: No suggested values defined - ValueSet: http://terminology.hl7.org/ValueSet/v2-0364|2.9 + references: 0, strongest binding: - #1R: Primary Reason - #2R: Secondary Reason - #AI: Ancillary Instructions @@ -38124,6 +38902,7 @@ Value Sets: 1193 (unversioned) - #PI: Patient Instructions - #RE: Remark - ValueSet: http://terminology.hl7.org/ValueSet/v2-0365|2.9 + references: 0, strongest binding: - #CL: Clearing - #CO: Configuring - #DI: Diagnose @@ -38143,14 +38922,17 @@ Value Sets: 1193 (unversioned) - #TS: Transport stopped - #UNK: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0366|2.9 + references: 0, strongest binding: - #L: Local - #R: Remote - ValueSet: http://terminology.hl7.org/ValueSet/v2-0367|2.9 + references: 0, strongest binding: - #C: Critical - #N: Normal - #S: Serious - #W: Warning - ValueSet: http://terminology.hl7.org/ValueSet/v2-0368|2.9 + references: 0, strongest binding: - #AB: Abort - #AF: Aliquot From container - #AT: Aliquot To container @@ -38173,6 +38955,7 @@ Value Sets: 1193 (unversioned) - #UC: Unlock - #UN: Unload - ValueSet: http://terminology.hl7.org/ValueSet/v2-0369|2.9 + references: 0, strongest binding: - #B: Blind Sample - #C: Calibrator, used for initial setting of calibration - #E: Electronic QC, used with manufactured reference providing signals that simulate QC results @@ -38185,6 +38968,7 @@ Value Sets: 1193 (unversioned) - #R: Replicate (of patient sample as a control) - #V: Verifying Calibrator, used for periodic calibration checks - ValueSet: http://terminology.hl7.org/ValueSet/v2-0370|2.9 + references: 0, strongest binding: - #A: Archived - #I: Identified - #L: Left Equipment @@ -38195,6 +38979,7 @@ Value Sets: 1193 (unversioned) - #U: Unknown - #X: Container Unavailable - ValueSet: http://terminology.hl7.org/ValueSet/v2-0371|2.9 + references: 2, strongest binding: Example - #ACDA: ACD Solution A - #ACDB: ACD Solution B - #ACET: Acetic Acid @@ -38253,6 +39038,7 @@ Value Sets: 1193 (unversioned) - #VIRTM: Viral Transport medium - #WEST: Buffered Citrate (Westergren Sedimentation Rate) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0372|2.9 + references: 0, strongest binding: - #BLD: Whole blood, homogeneous - #BSEP: Whole blood, separated - #PLAS: Plasma, NOS (not otherwise specified) @@ -38262,6 +39048,7 @@ Value Sets: 1193 (unversioned) - #SER: Serum, NOS (not otherwise specified) - #SUP: Supernatant - ValueSet: http://terminology.hl7.org/ValueSet/v2-0373|2.9 + references: 0, strongest binding: - #ACID: Acidification - #ALK: Alkalization - #DEFB: Defibrination @@ -38271,11 +39058,14 @@ Value Sets: 1193 (unversioned) - #RECA: Recalification - #UFIL: Ultrafiltration - ValueSet: http://terminology.hl7.org/ValueSet/v2-0374|2.9 + references: 0, strongest binding: - #CNTM: Present, type of contamination unspecified - ValueSet: http://terminology.hl7.org/ValueSet/v2-0375|2.9 + references: 0, strongest binding: - #FLUR: Fluorocarbons - #SFHB: Stromal free hemoglobin preparations - ValueSet: http://terminology.hl7.org/ValueSet/v2-0376|2.9 + references: 0, strongest binding: - #AMB: Ambient temperature - #C37: Body temperature - #CAMB: Critical ambient temperature @@ -38294,9 +39084,11 @@ Value Sets: 1193 (unversioned) - #UFRZ: Ultra frozen - #UPR: Upright - ValueSet: http://terminology.hl7.org/ValueSet/v2-0377|2.9 + references: 0, strongest binding: - #A60: Opened container, indoor atmosphere, 60 minutes duration - #ATM: Opened container, atmosphere and duration unspecified - ValueSet: http://terminology.hl7.org/ValueSet/v2-0383|2.9 + references: 0, strongest binding: - #CE: Calibration Error - #CW: Calibration Warning - #EE: Expired Error @@ -38309,6 +39101,7 @@ Value Sets: 1193 (unversioned) - #QE: QC Error - #QW: QC Warning - ValueSet: http://terminology.hl7.org/ValueSet/v2-0384|2.9 + references: 0, strongest binding: - #CO: Control Reagent - #DI: Diluent - #LI: Measurable Liquid Item @@ -38322,58 +39115,71 @@ Value Sets: 1193 (unversioned) - #SR: Single Test Reagent - #SW: Solid Waste - ValueSet: http://terminology.hl7.org/ValueSet/v2-0387|2.9 + references: 0, strongest binding: - #ER: Command cannot be completed because of error condition - #OK: Command completed successfully - #ST: Command cannot be completed because of the status of the requested equipment - #TI: Command cannot be completed within requested completion time - #UN: Command cannot be completed for unknown reasons - ValueSet: http://terminology.hl7.org/ValueSet/v2-0388|2.9 + references: 0, strongest binding: - #E: Evaluation - #P: Regular Production - ValueSet: http://terminology.hl7.org/ValueSet/v2-0389|2.9 + references: 0, strongest binding: - #D: Repeated with dilution - #F: Reflex test - #O: Original, first run - #R: Repeated without dilution - ValueSet: http://terminology.hl7.org/ValueSet/v2-0392|2.9 + references: 0, strongest binding: - #DB: Match on Date of Birth - #NA: Match on Name (Alpha Match) - #NP: Match on Name (Phonetic Match) - #SS: Match on Social Security Number - ValueSet: http://terminology.hl7.org/ValueSet/v2-0393|2.9 + references: 0, strongest binding: - #LINKSOFT_2.01: Proprietary algorithm for LinkSoft v2.01 - #MATCHWARE_1.2: Proprietary algorithm for MatchWare v1.2 - ValueSet: http://terminology.hl7.org/ValueSet/v2-0394|2.9 + references: 0, strongest binding: - #B: Batch - #R: Real Time - #T: Bolus (a series of responses sent at the same time without use of batch formatting) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0395|2.9 + references: 0, strongest binding: - #M: Modified Subscription - #N: New Subscription - ValueSet: http://terminology.hl7.org/ValueSet/v2-0397|2.9 + references: 0, strongest binding: - #A: Ascending - #AN: Ascending, case insensitive - #D: Descending - #DN: Descending, case insensitive - #N: None - ValueSet: http://terminology.hl7.org/ValueSet/v2-0398|2.9 + references: 0, strongest binding: - #F: Fragmentation - #I: Interactive Continuation - ValueSet: http://terminology.hl7.org/ValueSet/v2-0401|2.9 + references: 0, strongest binding: - #C: Medi-Cal - #MM: Medicare - ValueSet: http://terminology.hl7.org/ValueSet/v2-0402|2.9 + references: 0, strongest binding: - #D: Dental - #G: Graduate - #M: Medical - #U: Undergraduate - ValueSet: http://terminology.hl7.org/ValueSet/v2-0403|2.9 + references: 0, strongest binding: - #1: Read - #2: Write - #3: Speak - #4: Understand - #5: Sign - ValueSet: http://terminology.hl7.org/ValueSet/v2-0404|2.9 + references: 0, strongest binding: - #1: Excellent - #2: Good - #3: Fair @@ -38381,6 +39187,7 @@ Value Sets: 1193 (unversioned) - #5: Some (level unknown) - #6: None - ValueSet: http://terminology.hl7.org/ValueSet/v2-0406|2.9 + references: 0, strongest binding: - #1: Hospital - #2: Physician Clinic - #3: Long Term Care @@ -38389,22 +39196,27 @@ Value Sets: 1193 (unversioned) - #H: Home - #O: Office - ValueSet: http://terminology.hl7.org/ValueSet/v2-0409|2.9 + references: 0, strongest binding: - #M: Migrates to different CPU - #SD: Shut down - #SU: Start up - ValueSet: http://terminology.hl7.org/ValueSet/v2-0411|2.9 + references: 0, strongest binding: - #CG: Observation of type Clinical Genomics (CG) - #NDBS: Observation of type Newborn Dried Blood Screening (NDBS) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0415|2.9 + references: 0, strongest binding: - #E: DRG Exempt - #N: DRG Non Exempt - ValueSet: http://terminology.hl7.org/ValueSet/v2-0416|2.9 + references: 0, strongest binding: - #1: 1st non-Operative - #2: 2nd non-Operative - #3: Major Operative - #4: 2nd Operative - #5: 3rd Operative - ValueSet: http://terminology.hl7.org/ValueSet/v2-0417|2.9 + references: 0, strongest binding: - #0: No tissue expected - #1: Insufficient Tissue - #2: Not abnormal @@ -38419,15 +39231,18 @@ Value Sets: 1193 (unversioned) - #C: Carcinoma-unspecified type - #G: Additional tissue required - ValueSet: http://terminology.hl7.org/ValueSet/v2-0418|2.9 + references: 0, strongest binding: - #...: No suggested values defined - #0: the admitting procedure - #1: the primary procedure - #2: for ranked secondary procedures - ValueSet: http://terminology.hl7.org/ValueSet/v2-0421|2.9 + references: 0, strongest binding: - #MI: Mild - #MO: Moderate - #SE: Severe - ValueSet: http://terminology.hl7.org/ValueSet/v2-0422|2.9 + references: 0, strongest binding: - #1: Non-acute - #2: Acute - #3: Urgent @@ -38435,18 +39250,22 @@ Value Sets: 1193 (unversioned) - #5: Dead on Arrival (DOA) - #99: Other - ValueSet: http://terminology.hl7.org/ValueSet/v2-0423|2.9 + references: 0, strongest binding: - #D: Doctor's Office Closed - ValueSet: http://terminology.hl7.org/ValueSet/v2-0424|2.9 + references: 0, strongest binding: - #1: Premature / Pre-term - #2: Full Term - #3: Overdue / Post-term - ValueSet: http://terminology.hl7.org/ValueSet/v2-0425|2.9 + references: 0, strongest binding: - #1: Born in facility - #2: Transfer in - #3: Born en route - #4: Other - #5: Born at home - ValueSet: http://terminology.hl7.org/ValueSet/v2-0426|2.9 + references: 0, strongest binding: - #CRYO: Cryoprecipitated AHF - #CRYOP: Pooled Cryoprecipitate - #FFP: Fresh Frozen Plasma @@ -38463,6 +39282,7 @@ Value Sets: 1193 (unversioned) - #RWB: Reconstituted Whole Blood - #WBA: Autologous Whole Blood - ValueSet: http://terminology.hl7.org/ValueSet/v2-0427|2.9 + references: 0, strongest binding: - #B: Body fluid exposure - #C: Contaminated Substance - #D: Diet Errors @@ -38478,10 +39298,12 @@ Value Sets: 1193 (unversioned) - #S: Suicide Attempt - #T: Transfusion error - ValueSet: http://terminology.hl7.org/ValueSet/v2-0428|2.9 + references: 0, strongest binding: - #O: Other - #P: Preventable - #U: User Error - ValueSet: http://terminology.hl7.org/ValueSet/v2-0429|2.9 + references: 0, strongest binding: - #BR: Breeding/genetic stock - #DA: Dairy - #DR: Draft @@ -38495,6 +39317,7 @@ Value Sets: 1193 (unversioned) - #SH: Show - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0430|2.9 + references: 1, strongest binding: Example - #A: Ambulance - #C: Car - #F: On foot @@ -38503,6 +39326,7 @@ Value Sets: 1193 (unversioned) - #P: Public Transport - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0431|2.9 + references: 0, strongest binding: - #A: Alcohol - #C: Tobacco - chewed - #K: Kava @@ -38511,6 +39335,7 @@ Value Sets: 1193 (unversioned) - #T: Tobacco - smoked - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0432|2.9 + references: 0, strongest binding: - #AC: Acute - #CH: Chronic - #CO: Comatose @@ -38518,6 +39343,7 @@ Value Sets: 1193 (unversioned) - #IM: Improved - #MO: Moribund - ValueSet: http://terminology.hl7.org/ValueSet/v2-0433|2.9 + references: 0, strongest binding: - #A: Aggressive - #B: Blind - #C: Confused @@ -38528,6 +39354,7 @@ Value Sets: 1193 (unversioned) - #P: Paraplegic - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0434|2.9 + references: 0, strongest binding: - #A: Satisfactory - #C: Critical - #O: Other @@ -38535,19 +39362,23 @@ Value Sets: 1193 (unversioned) - #S: Stable - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0435|2.9 + references: 0, strongest binding: - #DNR: Do not resuscitate - #N: No directive - ValueSet: http://terminology.hl7.org/ValueSet/v2-0436|2.9 + references: 0, strongest binding: - #AD: Adverse Reaction (Not otherwise classified) - #AL: Allergy - #CT: Contraindication - #IN: Intolerance - #SE: Side Effect - ValueSet: http://terminology.hl7.org/ValueSet/v2-0437|2.9 + references: 0, strongest binding: - #B: Bracelet - #N: Necklace - #W: Wallet Card - ValueSet: http://terminology.hl7.org/ValueSet/v2-0438|2.9 + references: 0, strongest binding: - #C: Confirmed or verified - #D: Doubt raised - #E: Erroneous @@ -38556,6 +39387,7 @@ Value Sets: 1193 (unversioned) - #S: Suspect - #U: Unconfirmed - ValueSet: http://terminology.hl7.org/ValueSet/v2-0440|2.9 + references: 0, strongest binding: - #AD: Address - #AUI: Authorization information - #CCD: Charge code and date @@ -38652,6 +39484,7 @@ Value Sets: 1193 (unversioned) - #XPN: Extended person name - #XTN: Extended telecommunications number - ValueSet: http://terminology.hl7.org/ValueSet/v2-0441|2.9 + references: 0, strongest binding: - #A: Active - #I: Inactive - #L: Inactive - Lost to follow-up (cancel contract) @@ -38660,11 +39493,13 @@ Value Sets: 1193 (unversioned) - #P: Inactive - Permanently inactive (Do not reactivate or add new entries to the record) - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0442|2.9 + references: 0, strongest binding: - #D: Diagnostic - #E: Emergency Room Casualty - #P: Primary Care - #T: Therapeutic - ValueSet: http://terminology.hl7.org/ValueSet/v2-0443|2.9 + references: 0, strongest binding: - #AD: Admitting - #AI: Assistant/Alternate Interpreter - #AP: Administering Provider @@ -38689,55 +39524,68 @@ Value Sets: 1193 (unversioned) - #VPS: Verifying Pharmaceutical Supplier (not sure how to dissect Pharmacist/Treatment Supplier's Verifier ID) - #VTS: Verifying Treatment Supplier (not sure how to dissect Pharmacist/Treatment Supplier's Verifier ID) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0444|2.9 + references: 0, strongest binding: - #F: Prefix Family Middle Given Suffix - #G: Prefix Given Middle Family Suffix - ValueSet: http://terminology.hl7.org/ValueSet/v2-0445|2.9 + references: 0, strongest binding: - #AL: Patient/Person Name is an Alias - #UA: Unknown/Default Address - #UD: Unknown/Default Date of Birth - #US: Unknown/Default Social Security Number - ValueSet: http://terminology.hl7.org/ValueSet/v2-0450|2.9 + references: 0, strongest binding: - #LOG: Log Event - #SER: Service Event - ValueSet: http://terminology.hl7.org/ValueSet/v2-0455|2.9 + references: 0, strongest binding: - #...: No suggested values defined - ValueSet: http://terminology.hl7.org/ValueSet/v2-0456|2.9 + references: 0, strongest binding: - #...: No suggested values defined - ValueSet: http://terminology.hl7.org/ValueSet/v2-0457|2.9 + references: 0, strongest binding: - #0: No edits present on claim - #1: Only edits present are for line item denial or rejection - #2: Multiple-day claim with one or more days denied or rejected - #3: Claim denied, rejected, suspended or returned to provider with only post payment edits - #4: Claim denied, rejected, suspended or returned to provider with only pre payment edits - ValueSet: http://terminology.hl7.org/ValueSet/v2-0459|2.9 + references: 0, strongest binding: - #0: OCE line item denial or rejection is not ignored - #1: OCE line item denial or rejection is ignored - #2: External line item denial. Line item is denied even if no OCE edits - #3: External line item rejection. Line item is rejected even if no OCE edits - ValueSet: http://terminology.hl7.org/ValueSet/v2-0460|2.9 + references: 0, strongest binding: - #0: Line item not denied or rejected - #1: Line item denied or rejected - #2: Line item is on a multiple-day claim. The line item is not denied or rejected, but occurs on a day that has been denied or rejected. - ValueSet: http://terminology.hl7.org/ValueSet/v2-0465|2.9 + references: 0, strongest binding: - #A: Alphabetic (i.e., Default or some single-byte) - #I: Ideographic (i.e., Kanji) - #P: Phonetic (i.e., ASCII, Katakana, Hiragana, etc.) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0466|2.9 + references: 0, strongest binding: - #...: No suggested values defined - #031: Dental procedures - #163: Excision/biopsy - #181: Level 1 skin repair. - ValueSet: http://terminology.hl7.org/ValueSet/v2-0468|2.9 + references: 0, strongest binding: - #1: No payment adjustment - #2: Designated current drug or biological payment adjustment applies to APC (status indicator G) - #3: Designated new device payment adjustment applies to APC (status indicator H) - #4: Designated new drug or new biological payment adjustment applies to APC (status indicator J) - #5: Deductible not applicable (specific list of HCPCS codes) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0469|2.9 + references: 0, strongest binding: - #0: Not packaged - #1: Packaged service (status indicator N, or no HCPCS code and certain revenue codes) - #2: Packaged as part of partial hospitalization per diem or daily mental health service per diem - ValueSet: http://terminology.hl7.org/ValueSet/v2-0470|2.9 + references: 0, strongest binding: - #Crnl: Corneal Tissue APC - #DME: Durable Medical Equipment - #EPO: Epotein @@ -38749,27 +39597,32 @@ Value Sets: 1193 (unversioned) - #Pckg: Packaged APC - #Thrpy: Therapy APC - ValueSet: http://terminology.hl7.org/ValueSet/v2-0472|2.9 + references: 0, strongest binding: - #A: Asynchronous - #C: Actuation Time - #S: Synchronous - ValueSet: http://terminology.hl7.org/ValueSet/v2-0473|2.9 + references: 0, strongest binding: - #G: This observation/service is on the formulary, and has guidelines - #N: This observation/service is not on the formulary - #R: This observation/service is on the formulary, but is restricted - #Y: This observation/service is on the formulary - ValueSet: http://terminology.hl7.org/ValueSet/v2-0474|2.9 + references: 0, strongest binding: - #D: Department - #F: Facility - #S: Subdivision - #U: Subdepartment - #V: Division - ValueSet: http://terminology.hl7.org/ValueSet/v2-0475|2.9 + references: 0, strongest binding: - #01: Allergy - #02: Intolerance - #03: Treatment Failure - #04: Patient Request - #05: No Exception - ValueSet: http://terminology.hl7.org/ValueSet/v2-0477|2.9 + references: 0, strongest binding: - #I: Schedule I - #II: Schedule II - #III: Schedule III @@ -38777,18 +39630,22 @@ Value Sets: 1193 (unversioned) - #V: Schedule V - #VI: Schedule VI - ValueSet: http://terminology.hl7.org/ValueSet/v2-0478|2.9 + references: 0, strongest binding: - #G: Pharmaceutical substance is in the formulary, but guidelines apply - #N: Pharmaceutical substance is NOT in the formulary - #R: Pharmaceutical substance is in the formulary, but restrictions apply - #Y: Pharmaceutical substance is in the formulary - ValueSet: http://terminology.hl7.org/ValueSet/v2-0480|2.9 + references: 0, strongest binding: - #M: Medication - #O: Other solution as medication orders - #S: IV Large Volume Solutions - ValueSet: http://terminology.hl7.org/ValueSet/v2-0482|2.9 + references: 0, strongest binding: - #I: Inpatient Order - #O: Outpatient Order - ValueSet: http://terminology.hl7.org/ValueSet/v2-0483|2.9 + references: 0, strongest binding: - #EL: Electronic - #EM: E-mail - #FX: Fax @@ -38800,6 +39657,7 @@ Value Sets: 1193 (unversioned) - #VC: Video-conference - #VO: Voice - ValueSet: http://terminology.hl7.org/ValueSet/v2-0484|2.9 + references: 0, strongest binding: - #B: Trial Quantity Balance - #C: Compassionate Fill - #N: New/Renew - Full Fill @@ -38810,6 +39668,7 @@ Value Sets: 1193 (unversioned) - #T: Trial Quantity - #Z: Non-Prescription Fill - ValueSet: http://terminology.hl7.org/ValueSet/v2-0485|2.9 + references: 0, strongest binding: - #A: ASAP - #C: Callback - #P: Preop @@ -38824,6 +39683,7 @@ Value Sets: 1193 (unversioned) - #TS: Timing critical within seconds. - #TW: Timing critical within weeks. - ValueSet: http://terminology.hl7.org/ValueSet/v2-0487|2.9 + references: 4, strongest binding: Example - #ABS: Abscess - #ACNE: Tissue, Acne - #ACNFLD: Fluid, Acne @@ -39138,6 +39998,7 @@ Value Sets: 1193 (unversioned) - #WWO: Environmental, Water (Ocean) - #WWT: Environmental, Water (Tap) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0488|2.9 + references: 0, strongest binding: - #ANP: Plates, Anaerobic - #BAP: Plates, Blood Agar - #BCAE: Blood Culture, Aerobic Bottle @@ -39181,6 +40042,7 @@ Value Sets: 1193 (unversioned) - #VENIP: Venipuncture - #WOOD: Swab, Wooden Shaft - ValueSet: http://terminology.hl7.org/ValueSet/v2-0489|2.9 + references: 0, strongest binding: - #AGG: Aggressive - #BHZ: Biohazard - #BIO: Biological @@ -39193,6 +40055,7 @@ Value Sets: 1193 (unversioned) - #POI: Poison - #RAD: Radioactive - ValueSet: http://terminology.hl7.org/ValueSet/v2-0490|2.9 + references: 0, strongest binding: - #EX: Expired - #QS: Quantity not sufficient - #RA: Missing patient ID number @@ -39208,15 +40071,18 @@ Value Sets: 1193 (unversioned) - #RR: Improper storage - #RS: Name misspelling - ValueSet: http://terminology.hl7.org/ValueSet/v2-0491|2.9 + references: 0, strongest binding: - #E: Excellent - #F: Fair - #G: Good - #P: Poor - ValueSet: http://terminology.hl7.org/ValueSet/v2-0492|2.9 + references: 0, strongest binding: - #A: Appropriate - #I: Inappropriate - #P: Preferred - ValueSet: http://terminology.hl7.org/ValueSet/v2-0493|2.9 + references: 1, strongest binding: Extensible - #AUT: Autolyzed - #CFU: Centrifuged - #CLOT: Clotted @@ -39228,10 +40094,12 @@ Value Sets: 1193 (unversioned) - #ROOM: Room temperature - #SNR: Sample not received - ValueSet: http://terminology.hl7.org/ValueSet/v2-0494|2.9 + references: 0, strongest binding: - #A: Aliquot - #C: Component - #M: Modified from original specimen - ValueSet: http://terminology.hl7.org/ValueSet/v2-0495|2.9 + references: 0, strongest binding: - #ANT: Anterior - #BIL: Bilateral - #DIS: Distal @@ -39249,6 +40117,7 @@ Value Sets: 1193 (unversioned) - #RUQ: Quadrant, Right Upper - #UPP: Upper - ValueSet: http://terminology.hl7.org/ValueSet/v2-0496|2.9 + references: 0, strongest binding: - #001: Release of Information/MR / Authorization to Disclosure Protected Health Information - #002: Medical Procedure (invasive) - #003: Acknowledge Receipt of Privacy Notice @@ -39387,10 +40256,12 @@ Value Sets: 1193 (unversioned) - #135: Venogram - #136: Videotape - ValueSet: http://terminology.hl7.org/ValueSet/v2-0497|2.9 + references: 0, strongest binding: - #T: Telephone - #V: Verbal - #W: Written - ValueSet: http://terminology.hl7.org/ValueSet/v2-0498|2.9 + references: 0, strongest binding: - #A: Active - Consent has been granted - #B: Bypassed (Consent not sought) - #L: Limited - Consent has been granted with limitations @@ -39398,47 +40269,57 @@ Value Sets: 1193 (unversioned) - #R: Refused - Consent has been refused - #X: Rescinded - Consent was initially granted, but was subsequently revoked or ended. - ValueSet: http://terminology.hl7.org/ValueSet/v2-0499|2.9 + references: 0, strongest binding: - #E: Emergency - #PJ: Professional Judgment - ValueSet: http://terminology.hl7.org/ValueSet/v2-0500|2.9 + references: 0, strongest binding: - #F: Full Disclosure - #N: No Disclosure - #P: Partial Disclosure - ValueSet: http://terminology.hl7.org/ValueSet/v2-0501|2.9 + references: 0, strongest binding: - #E: Emergency - #PR: Patient Request - #RX: Rx Private - ValueSet: http://terminology.hl7.org/ValueSet/v2-0502|2.9 + references: 0, strongest binding: - #LM: Legally mandated - #MIN: Subject is a minor - #NC: Subject is not competent to consent - ValueSet: http://terminology.hl7.org/ValueSet/v2-0503|2.9 + references: 0, strongest binding: - #C: Cyclical - #R: Reserved for future use - #S: Sequential - ValueSet: http://terminology.hl7.org/ValueSet/v2-0504|2.9 + references: 0, strongest binding: - #EE: End related service request(s), end current service request. - #ES: End related service request(s), start current service request. - #SE: Start related service request(s), end current service request. - #SS: Start related service request(s), start current service request. - ValueSet: http://terminology.hl7.org/ValueSet/v2-0505|2.9 + references: 0, strongest binding: - ##: The last service request in a cyclic group. - #*: The first service request in a cyclic group - #F: First service - #L: Last service - ValueSet: http://terminology.hl7.org/ValueSet/v2-0506|2.9 + references: 0, strongest binding: - #C: Compound - #E: Exclusive - #N: Nurse prerogative - #S: Simultaneous - #T: Tapering - ValueSet: http://terminology.hl7.org/ValueSet/v2-0507|2.9 + references: 0, strongest binding: - #A: Alert provider when abnormal - #BCC: Blind copy - #CC: Copies requested - #F: Film-with-patient - #N: Notify provider when ready - ValueSet: http://terminology.hl7.org/ValueSet/v2-0508|2.9 + references: 0, strongest binding: - #AU: Autologous Unit - #CM: CMV Negative - #CS: CMV Safe @@ -39451,6 +40332,7 @@ Value Sets: 1193 (unversioned) - #LR: Leukoreduced - #WA: Washed - ValueSet: http://terminology.hl7.org/ValueSet/v2-0510|2.9 + references: 0, strongest binding: - #CR: Released into inventory for general availability - #DS: Dispensed to patient location - #PT: Presumed transfused (dispensed and not returned) @@ -39463,6 +40345,7 @@ Value Sets: 1193 (unversioned) - #RS: Reserved (ordered and product allocated for the patient) - #WA: Wasted (product no longer viable) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0511|2.9 + references: 0, strongest binding: - #C: Record coming over is a correction and thus replaces a final status - #D: Deletes the BPX record - #F: Final status; Can only be changed with a corrected status @@ -39470,12 +40353,14 @@ Value Sets: 1193 (unversioned) - #P: Preliminary status - #W: Post original as wrong, e.g., transmitted for wrong patient - ValueSet: http://terminology.hl7.org/ValueSet/v2-0513|2.9 + references: 0, strongest binding: - #RA: Returned unused/no longer needed - #RL: Returned unused/keep linked to patient for possible use later - #TR: Transfused with adverse reaction - #TX: Transfused - #WA: Wasted (product no longer viable) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0514|2.9 + references: 0, strongest binding: - #ABOINC: ABO Incompatible Transfusion Reaction - #ACUTHEHTR: Acute Hemolytic Transfusion Reaction - #ALLERGIC1: Allergic Reaction - First @@ -39496,27 +40381,33 @@ Value Sets: 1193 (unversioned) - #PTP: Posttransfusion Purpura - #VOLOVER: Symptoms most likely due to volume overload - ValueSet: http://terminology.hl7.org/ValueSet/v2-0516|2.9 + references: 0, strongest binding: - #E: Error - #F: Fatal Error - #I: Information - #W: Warning - ValueSet: http://terminology.hl7.org/ValueSet/v2-0517|2.9 + references: 0, strongest binding: - #HD: Inform help desk - #NPAT: Do NOT inform patient - #PAT: Inform patient - #USR: Inform User - ValueSet: http://terminology.hl7.org/ValueSet/v2-0518|2.9 + references: 0, strongest binding: - #EQV: Equivalence Override - #EXTN: Extension Override - #INLV: Interval Override - ValueSet: http://terminology.hl7.org/ValueSet/v2-0520|2.9 + references: 0, strongest binding: - #H: High - #L: Low - #M: Medium - ValueSet: http://terminology.hl7.org/ValueSet/v2-0523|2.9 + references: 0, strongest binding: - #%: Indicates a percent change - #a: Absolute Change - ValueSet: http://terminology.hl7.org/ValueSet/v2-0527|2.9 + references: 0, strongest binding: - #DM: day of the month - #DW: day of the week (begins with Monday) - #DY: day of the year @@ -39526,6 +40417,7 @@ Value Sets: 1193 (unversioned) - #SN: second of the minute - #WY: week of the year - ValueSet: http://terminology.hl7.org/ValueSet/v2-0528|2.9 + references: 0, strongest binding: - #AC: before meal (from lat. ante cibus) - #ACD: before lunch (from lat. ante cibus diurnus) - #ACM: before breakfast (from lat. ante cibus matutinus) @@ -39540,6 +40432,7 @@ Value Sets: 1193 (unversioned) - #PCM: after breakfast (from lat. post cibus matutinus) - #PCV: after dinner (from lat. post cibus vespertinus) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0530|2.9 + references: 0, strongest binding: - #AE: American Express - #DEA: Drug Enforcement Agency - #DOD: Department of Defense @@ -39547,6 +40440,7 @@ Value Sets: 1193 (unversioned) - #VA: Veterans Affairs - #VI: Visa - ValueSet: http://terminology.hl7.org/ValueSet/v2-0532|2.9 + references: 0, strongest binding: - #ASKU: asked but unknown - #N: No - #NA: not applicable @@ -39557,32 +40451,38 @@ Value Sets: 1193 (unversioned) - #UNK: unknown - #Y: Yes - ValueSet: http://terminology.hl7.org/ValueSet/v2-0534|2.9 + references: 0, strongest binding: - #L: Last Rites only - #N: No - #O: Other - #U: Unknown - #Y: Yes - ValueSet: http://terminology.hl7.org/ValueSet/v2-0535|2.9 + references: 0, strongest binding: - #C: Signed CMS-1500 claim form on file, e.g., authorization for release of any medical or other information necessary to process this claim and assignment of benefits. - #M: Signed authorization for assignment of benefits on file. - #P: Signature generated by provider because the patient was not physically present for services. - #S: Signed authorization for release of any medical or other information necessary to process this claim on file. - ValueSet: http://terminology.hl7.org/ValueSet/v2-0536|2.9 + references: 0, strongest binding: - #E: Expired - #I: Inactive - #P: Provisional - #R: Revoked - #V: Active/Valid - ValueSet: http://terminology.hl7.org/ValueSet/v2-0538|2.9 + references: 0, strongest binding: - #CON: Contractor - #CST: Consultant - #EMP: Employee - #VOL: Volunteer - ValueSet: http://terminology.hl7.org/ValueSet/v2-0540|2.9 + references: 0, strongest binding: - #L: Leave of Absence - #R: Retired - #T: Termination - ValueSet: http://terminology.hl7.org/ValueSet/v2-0544|2.9 + references: 0, strongest binding: - #CC: Container Cracked - #CL: Container Leaking - #CT: Container Torn @@ -39605,10 +40505,12 @@ Value Sets: 1193 (unversioned) - #XUFRZ: Not Ultra frozen - #XUPR: Not Upright - ValueSet: http://terminology.hl7.org/ValueSet/v2-0547|2.9 + references: 0, strongest binding: - #C: County/Parish - #N: Country - #S: State/Province - ValueSet: http://terminology.hl7.org/ValueSet/v2-0548|2.9 + references: 0, strongest binding: - #1: Self - #2: Parent - #3: Next of Kin @@ -39617,6 +40519,7 @@ Value Sets: 1193 (unversioned) - #6: Emergent Practitioner (practitioner judging case as emergency requiring care without a consent) - #7: Non-Emergent Practitioner (i.e. medical ethics committee) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0550|2.9 + references: 0, strongest binding: - # : External Jugular - #ACET: Acetabulum - #ACHIL: Achilles @@ -40061,6 +40964,7 @@ Value Sets: 1193 (unversioned) - #WBC: Leukocytes - #WRIST: Wrist - ValueSet: http://terminology.hl7.org/ValueSet/v2-0553|2.9 + references: 0, strongest binding: - #AA: Authorization request for inpatient admission - #AI: Combined Authorization and Adjudication request - #CA: Cancel Authorization request @@ -40079,10 +40983,12 @@ Value Sets: 1193 (unversioned) - #RU: Referral authorization - #SA: Special Authorization - ValueSet: http://terminology.hl7.org/ValueSet/v2-0554|2.9 + references: 0, strongest binding: - #LATE: Late Invoice - #NORM: Normal submission - #SUB: Subscriber coverage problem - ValueSet: http://terminology.hl7.org/ValueSet/v2-0555|2.9 + references: 0, strongest binding: - #BK: Block - #FN: Final - #FS: Fee for Service @@ -40094,23 +41000,28 @@ Value Sets: 1193 (unversioned) - #SS: By Session - #SU: Supplemental - ValueSet: http://terminology.hl7.org/ValueSet/v2-0556|2.9 + references: 0, strongest binding: - #AMB: AMBULATORY CARE - #DENT: DENTAL - ValueSet: http://terminology.hl7.org/ValueSet/v2-0557|2.9 + references: 0, strongest binding: - #EMPL: Employer - #ORG: Payee Organization - #PERS: Person - #PPER: Pay Person - ValueSet: http://terminology.hl7.org/ValueSet/v2-0558|2.9 + references: 0, strongest binding: - #FM: Family Member - #GT: Guarantor - #PT: Patient - #SB: Subscriber - ValueSet: http://terminology.hl7.org/ValueSet/v2-0559|2.9 + references: 0, strongest binding: - #D: Denied - #P: Processed - #R: Rejected - ValueSet: http://terminology.hl7.org/ValueSet/v2-0561|2.9 + references: 0, strongest binding: - #CLCTR: Claim Center - #DGAPP: Diagnostic Approval Number - #DTCTR: Data Center Number @@ -40119,6 +41030,7 @@ Value Sets: 1193 (unversioned) - #OOP: Out of Province Indicator - #SEQ: Sequence Number - ValueSet: http://terminology.hl7.org/ValueSet/v2-0562|2.9 + references: 0, strongest binding: - #DFADJ: Deferred Adjudication Processing - #EFORM: Electronic form to follow - #FAX: Fax to follow @@ -40126,17 +41038,20 @@ Value Sets: 1193 (unversioned) - #PYRDELAY: Delayed by a Previous Payer - #RTADJ: Real Time Adjudication Processing - ValueSet: http://terminology.hl7.org/ValueSet/v2-0564|2.9 + references: 0, strongest binding: - #EA: Edit/Adjudication Response - #IN: Information - #PA: Provider Adjustment - #PR: Processing Result - ValueSet: http://terminology.hl7.org/ValueSet/v2-0565|2.9 + references: 0, strongest binding: - #DISP: Dispensing Fee - #GST: Goods and Services Tax - #HST: Harmonized Sales Tax - #MKUP: Mark up Fee - #PST: Provincial Sales Tax - ValueSet: http://terminology.hl7.org/ValueSet/v2-0566|2.9 + references: 0, strongest binding: - #GRN: Granulocytes - #LYM: Lymphocytes - #PLS: Plasma @@ -40145,10 +41060,12 @@ Value Sets: 1193 (unversioned) - #RBC: Red Blood Cells - #WBL: Whole Blood - ValueSet: http://terminology.hl7.org/ValueSet/v2-0569|2.9 + references: 0, strongest binding: - #EOB: Print on EOB - #PAT: Inform Patient - #PRO: Inform Provider - ValueSet: http://terminology.hl7.org/ValueSet/v2-0570|2.9 + references: 0, strongest binding: - #CASH: Cash - #CCCA: Credit Card - #CCHK: Cashier's Check @@ -40160,6 +41077,7 @@ Value Sets: 1193 (unversioned) - #TRAC: Traveler's Check - #VISN: VISA Special Electronic Funds Transfer Network - ValueSet: http://terminology.hl7.org/ValueSet/v2-0571|2.9 + references: 0, strongest binding: - #ACK: Acknowledge - #ADJ: Adjudicated with Adjustments - #ADJSUB: Adjudicated as Submitted @@ -40169,38 +41087,48 @@ Value Sets: 1193 (unversioned) - #PRED: Pre-Determination - #REJECT: Reject - ValueSet: http://terminology.hl7.org/ValueSet/v2-0572|2.9 + references: 0, strongest binding: - #RVAT: Registered in VAT register - #UVAT: Unregistered in VAT register - ValueSet: http://terminology.hl7.org/ValueSet/v2-0615|2.9 + references: 0, strongest binding: - #KERB: Kerberos Service Ticket - #SAML: Authenticated User Identity Assertion - ValueSet: http://terminology.hl7.org/ValueSet/v2-0616|2.9 + references: 0, strongest binding: - #C: Corrected - #E: Added in error - #M: Moved - #R: On request - ValueSet: http://terminology.hl7.org/ValueSet/v2-0617|2.9 + references: 0, strongest binding: - #C: Classification - #M: Mailing - #V: Visit - ValueSet: http://terminology.hl7.org/ValueSet/v2-0618|2.9 + references: 0, strongest binding: - #LI: Listed - #UL: Unlisted (Should not appear in directories) - #UP: Unpublished - ValueSet: http://terminology.hl7.org/ValueSet/v2-0625|2.9 + references: 0, strongest binding: - #1: Active - #2: Pending Inactive - #3: Inactive - ValueSet: http://terminology.hl7.org/ValueSet/v2-0634|2.9 + references: 0, strongest binding: - #CRT: Critical - ValueSet: http://terminology.hl7.org/ValueSet/v2-0642|2.9 + references: 0, strongest binding: - #D: DOP/DOQ - #M: MIN/MAX - #O: Override - ValueSet: http://terminology.hl7.org/ValueSet/v2-0651|2.9 + references: 0, strongest binding: - #CST: Cost - #TME: Time - ValueSet: http://terminology.hl7.org/ValueSet/v2-0653|2.9 + references: 0, strongest binding: - #1: mm/dd/yy - #2: yy.mm.dd - #3: dd/mm/yy @@ -40208,27 +41136,33 @@ Value Sets: 1193 (unversioned) - #5: yy/mm/dd - #6: Yymmdd - ValueSet: http://terminology.hl7.org/ValueSet/v2-0657|2.9 + references: 0, strongest binding: - #1: EO Gas Sterilizer - #2: Steam Sterilizer - #3: Peracetic Acid - ValueSet: http://terminology.hl7.org/ValueSet/v2-0659|2.9 + references: 0, strongest binding: - #1: OR Mode Without Operator - #2: OR Mode with Operator - #3: CPD Mode Without Operator - #4: CPD Mode With Operator - #5: Offline Mode - ValueSet: http://terminology.hl7.org/ValueSet/v2-0667|2.9 + references: 0, strongest binding: - #0: Real Time Values - #1: Historic Values - ValueSet: http://terminology.hl7.org/ValueSet/v2-0669|2.9 + references: 0, strongest binding: - #LCC: Load is Complete - #LCN: Load Canceled - #LCP: Load In Process - #LLD: Building a Load - ValueSet: http://terminology.hl7.org/ValueSet/v2-0682|2.9 + references: 0, strongest binding: - #0: Ready - #1: Not Ready - ValueSet: http://terminology.hl7.org/ValueSet/v2-0702|2.9 + references: 0, strongest binding: - #2RS: Second Rinse - #ANR: Anesthesia/Respiratory - #BDP: Bedpans @@ -40262,6 +41196,7 @@ Value Sets: 1193 (unversioned) - #UTL: Utensil Wash - #WFP: Wrap/Steam Flush Pressure Pulse (Wrap/SFPP) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0717|2.9 + references: 0, strongest binding: - #ALL: All - #DEM: All demographic data - #DRG: Drug @@ -40276,6 +41211,7 @@ Value Sets: 1193 (unversioned) - #SMD: Sensitive medical data - #STD: Sexually transmitted diseases - ValueSet: http://terminology.hl7.org/ValueSet/v2-0725|2.9 + references: 0, strongest binding: - #APT: Appointment - #ARQ: Appointment Request - #EVN: Event @@ -40286,18 +41222,21 @@ Value Sets: 1193 (unversioned) - #PRP: Proposal - #RQO: Request-Order - ValueSet: http://terminology.hl7.org/ValueSet/v2-0728|2.9 + references: 0, strongest binding: - #0: Nothing obvious - #1: Low - #2: Moderate - #3: High - #4: Very high - ValueSet: http://terminology.hl7.org/ValueSet/v2-0731|2.9 + references: 0, strongest binding: - #0: Valid code - #1: Invalid code - #2: Two primary diagnosis codes - #3: Invalid for this gender - #4: Invalid for this age - ValueSet: http://terminology.hl7.org/ValueSet/v2-0734|2.9 + references: 0, strongest binding: - #0: Normal grouping - #1: Invalid or missing primary diagnosis - #2: Diagnosis is not allowed to be primary @@ -40309,10 +41248,12 @@ Value Sets: 1193 (unversioned) - #8: Invalid length of stay - #9: Invalid field "same day" - ValueSet: http://terminology.hl7.org/ValueSet/v2-0739|2.9 + references: 0, strongest binding: - #1: Normal length of stay - #2: Short length of stay - #3: Long length of stay - ValueSet: http://terminology.hl7.org/ValueSet/v2-0742|2.9 + references: 0, strongest binding: - #00: Effective weight calculated - #01: Hospital specific contract - #03: Eeffective weight for transfer/referral calculated @@ -40321,58 +41262,71 @@ Value Sets: 1193 (unversioned) - #10: No information/entry in cost data for this DRG - #11: No relative weight found for department (type) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0749|2.9 + references: 0, strongest binding: - #0: Valid code; not used for grouping - #1: Valid code; used for grouping - #2: Invalid code; not used for grouping - #3: Invalid code; code is relevant for grouping - ValueSet: http://terminology.hl7.org/ValueSet/v2-0755|2.9 + references: 0, strongest binding: - #0: No weight reported at admission used for grouping - #1: Weight reported at admission used for grouping - #2: Default weight (>2499g) used for grouping - ValueSet: http://terminology.hl7.org/ValueSet/v2-0757|2.9 + references: 0, strongest binding: - #0: Respiration minutes not used for grouping - #1: Listed respiration minutes used for grouping - #2: OPS code value used for grouping - ValueSet: http://terminology.hl7.org/ValueSet/v2-0759|2.9 + references: 0, strongest binding: - #0: Admission status is valid; used for grouping - #1: Admission status is valid; not used for grouping - #2: Admission status is invalid; not used for grouping - #3: Admission status is invalid; default value used for grouping - ValueSet: http://terminology.hl7.org/ValueSet/v2-0761|2.9 + references: 0, strongest binding: - #0: Valid code - #1: Invalid code - #2: Not used - #3: Invalid for this gender - #4: Invalid for this age - ValueSet: http://terminology.hl7.org/ValueSet/v2-0763|2.9 + references: 0, strongest binding: - #0: Neither operation relevant nor non-operation relevant procedure - #1: Operation relevant procedure - #2: Non-operation relevant procedure - ValueSet: http://terminology.hl7.org/ValueSet/v2-0776|2.9 + references: 0, strongest binding: - #A: Active - #I: Inactive - #P: Pending Inactive - ValueSet: http://terminology.hl7.org/ValueSet/v2-0778|2.9 + references: 0, strongest binding: - #EQP: Equipment - #IMP: Implant - #MED: Medication - #SUP: Supply - #TDC: Tubes, Drains, and Catheters - ValueSet: http://terminology.hl7.org/ValueSet/v2-0790|2.9 + references: 0, strongest binding: - #AMA: American Medical Association - #FDA: Food and Drug Administration - ValueSet: http://terminology.hl7.org/ValueSet/v2-0793|2.9 + references: 0, strongest binding: - #SMDA: Safe Medical Devices Act - ValueSet: http://terminology.hl7.org/ValueSet/v2-0806|2.9 + references: 0, strongest binding: - #EOG: Ethylene Oxide Gas - #PCA: Peracetic acid - #STM: Steam - ValueSet: http://terminology.hl7.org/ValueSet/v2-0818|2.9 + references: 0, strongest binding: - #BX: Box - #CS: Case - #EA: Each - #SET: Set - ValueSet: http://terminology.hl7.org/ValueSet/v2-0834|2.9 + references: 0, strongest binding: - #application: Application data - #audio: Audio data - #image: Image data @@ -40381,12 +41335,14 @@ Value Sets: 1193 (unversioned) - #text: Text data - #video: Video data - ValueSet: http://terminology.hl7.org/ValueSet/v2-0868|2.9 + references: 0, strongest binding: - #C: Corrected - #E: Added in error - #M: Moved - #N: No longer in service - #R: On request - ValueSet: http://terminology.hl7.org/ValueSet/v2-0871|2.9 + references: 0, strongest binding: - #COR: Corrosive - #EXP: Explosive - #FLA: Flammable @@ -40395,20 +41351,25 @@ Value Sets: 1193 (unversioned) - #TOX: Toxic - #UNK: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0881|2.9 + references: 0, strongest binding: - #B: Both - #P: Professional Part - #T: Technical Part - ValueSet: http://terminology.hl7.org/ValueSet/v2-0882|2.9 + references: 0, strongest binding: - #E: Employed - #SE: Self-employed - ValueSet: http://terminology.hl7.org/ValueSet/v2-0894|2.9 + references: 0, strongest binding: - #L: Left - #R: Right - ValueSet: http://terminology.hl7.org/ValueSet/v2-0904|2.9 + references: 0, strongest binding: - #BCV: Bank Card Validation Number - #CCS: Credit Card Security code - #VID: Version ID - ValueSet: http://terminology.hl7.org/ValueSet/v2-0905|2.9 + references: 0, strongest binding: - #INV: Inventoried - #ONH: On Hold - #PRC: Processing @@ -40416,6 +41377,7 @@ Value Sets: 1193 (unversioned) - #TRN: In Transit - #TTL: Triaged to Lab - ValueSet: http://terminology.hl7.org/ValueSet/v2-0906|2.9 + references: 0, strongest binding: - #A: ASAP - As soon as possible, next highest priority after stat - #CR: Callback results - filler should contact the placer as soon as results are available, even for preliminary results - #CS: Callback for scheduling - Filler should contact the placer (or target) to schedule the service. @@ -40432,6 +41394,7 @@ Value Sets: 1193 (unversioned) - #UD: Use as directed - Drug is to be used as directed by the prescriber. - #UR: Urgent - Calls for prompt action - ValueSet: http://terminology.hl7.org/ValueSet/v2-0907|2.9 + references: 0, strongest binding: - #B: Business - Since the service class can represent knowledge structures that may be considered a trade or business secret, there is sometimes (though rarely) the need to flag those items as of business level confidentiality. However, no patient related inf - #C: Celebrity - Celebrities are people of public interest (VIP) including employees, whose information require special protection. - #D: Clinician - Only clinicians may see this item, billing and administration persons can not access this item without special permission. @@ -40447,6 +41410,7 @@ Value Sets: 1193 (unversioned) - #T: Taboo - Information not to be disclosed or discussed with patient except through physician assigned to patient in this case. This is usually a temporary constraint only; example use is a new fatal diagnosis or finding, such as malignancy or HIV. - #V: Very restricted - Very restricted access as declared by the Privacy Officer of the record holder. - ValueSet: http://terminology.hl7.org/ValueSet/v2-0909|2.9 + references: 0, strongest binding: - #SID: Share In1 Day -

Share result regardless of reference/therapeutic range after 1 or more business day as agreed to by the systems in play. - #SIDC: Share in 1 Day Conditionally -

Share result in reference ranges/therapeutic with patient after 1 or more business day as agreed to by the systems in play.

Withhold result out of reference/therapeutic range until physician release - #SIMM: Share Immediately -

Share result with patient immediately @@ -40454,6 +41418,7 @@ Value Sets: 1193 (unversioned) - #SWNL: Share Within Normal Limits -

Share result in reference/therapeutic range with patient immediately

Share result out of reference/therapeutic ranges with patient after 1 or more business day as agreed to by the systems in play. - #SWTH: Share Withhold -

Withhold result regardless of reference/therapeutic ranges - ValueSet: http://terminology.hl7.org/ValueSet/v2-0912|2.9 + references: 0, strongest binding: - #AAP: Alert Acknowledging Provider - #AC: Administration Cosigner - #AD: Admitting Provider @@ -40498,42 +41463,52 @@ Value Sets: 1193 (unversioned) - #WAY: Waypoint - #WAYR: Waypoint Recipient - ValueSet: http://terminology.hl7.org/ValueSet/v2-0914|2.9 + references: 0, strongest binding: - #AP: Analysis Process - #IM: Information Management - #L: Laboratory - #NA: Not Applicable - #PD: Placer Data - ValueSet: http://terminology.hl7.org/ValueSet/v2-0916|2.9 + references: 1, strongest binding: Extensible - #F: Patient was fasting prior to the procedure. - #NF: The patient indicated they did not fast prior to the procedure. - #NG: Not Given - Patient was not asked at the time of the procedure. - ValueSet: http://terminology.hl7.org/ValueSet/v2-0917|2.9 + references: 0, strongest binding: - #C: Supplemental - #L: Loading - ValueSet: http://terminology.hl7.org/ValueSet/v2-0918|2.9 + references: 0, strongest binding: - #C: Continuous - #P: PCA Only - #PC: PCA + Continuous - ValueSet: http://terminology.hl7.org/ValueSet/v2-0919|2.9 + references: 0, strongest binding: - #D: In some cases, this test should be only exclusively with like tests (examples are cyto or pathology) - #N: This test can be included with any number of other tests - #Y: This test should be exclusive - ValueSet: http://terminology.hl7.org/ValueSet/v2-0920|2.9 + references: 0, strongest binding: - #A: Alternate - #P: Preferred - ValueSet: http://terminology.hl7.org/ValueSet/v2-0921|2.9 + references: 0, strongest binding: - #ADM: Admitting - #PROC: Procedure - #SERV: Service - ValueSet: http://terminology.hl7.org/ValueSet/v2-0922|2.9 + references: 0, strongest binding: - #IR: Initial Request - #RA: Request for Appeal - #RE: Request for Extension - ValueSet: http://terminology.hl7.org/ValueSet/v2-0923|2.9 + references: 0, strongest binding: - #ABR: Aborted Run: Process interrupted after the Phlebotomist inserts the needle in the Donor's arm - #NIN: Process was not interrupted - #WOT: Walk Out: Process interrupted before the Phlebotomist inserts the needle in the Donor's arm - ValueSet: http://terminology.hl7.org/ValueSet/v2-0924|2.9 + references: 0, strongest binding: - #A: Annual - #D: Per Day - #M: Per Month @@ -40541,6 +41516,7 @@ Value Sets: 1193 (unversioned) - #PL: Patients Lifetime - #WK: Per Week - ValueSet: http://terminology.hl7.org/ValueSet/v2-0925|2.9 + references: 0, strongest binding: - #ACN: Air Contamination - #CLT: Clotted - #COL: Collapse @@ -40555,14 +41531,17 @@ Value Sets: 1193 (unversioned) - #PFL: Poor flow - #VSM: Vein Spasm - ValueSet: http://terminology.hl7.org/ValueSet/v2-0926|2.9 + references: 0, strongest binding: - #NDR: Not Drawn - #SUC: Successful - #UL5: Unsuccessful Less than 50 ml drawn - ValueSet: http://terminology.hl7.org/ValueSet/v2-0927|2.9 + references: 0, strongest binding: - #B: Both Arms - #L: Left Arm - #R: Right Arm - ValueSet: http://terminology.hl7.org/ValueSet/v2-0933|2.9 + references: 0, strongest binding: - #2RC: Double Red Cells - #GRN: Granulocytes - #HEM: Hemachromatosis @@ -40577,6 +41556,7 @@ Value Sets: 1193 (unversioned) - #THW: Therapeutic Whole Blood - #WBL: Whole Blood - ValueSet: http://terminology.hl7.org/ValueSet/v2-0935|2.9 + references: 0, strongest binding: - #ASC: Apheresis Software Crash - #BSC: Manufacturing Software Crash - #CFT: Couldn't follow through with donation (scared) @@ -40587,6 +41567,7 @@ Value Sets: 1193 (unversioned) - #NRG: No reason given, donor decided to stop without giving a reason - #PCD: Phone Call-Donor - ValueSet: http://terminology.hl7.org/ValueSet/v2-2.4-0006|0006 + references: 0, strongest binding: - #ABC: Christian: American Baptist Church - #AGN: Agnostic - #AME: Christian: African Methodist Episcopal Zion @@ -40673,6 +41654,7 @@ Value Sets: 1193 (unversioned) - #WES: Christian: Wesleyan - #WMC: Christian: Wesleyan Methodist - ValueSet: http://terminology.hl7.org/ValueSet/v2-2.6-0391|0391 + references: 0, strongest binding: - #ADMINISTRATION: - #ALLERGY: - #APP_STATS: @@ -40806,6 +41788,7 @@ Value Sets: 1193 (unversioned) - #TREATMENT: - #VISIT: - ValueSet: http://terminology.hl7.org/ValueSet/v2-2.7-0360|0360 + references: 1, strongest binding: Example - #AA: Associate of Arts - #AAS: Associate of Applied Science - #ABA: Associate of Business Administration @@ -40868,11 +41851,13 @@ Value Sets: 1193 (unversioned) - #SEC: Secretarial Certificate - #TS: Trade School Graduate - ValueSet: http://terminology.hl7.org/ValueSet/v3-AcknowledgementCondition|2018-08-12 + references: 0, strongest binding: - #AL: Always - #ER: Error/reject only - #NE: Never - #SU: Successful only - ValueSet: http://terminology.hl7.org/ValueSet/v3-AcknowledgementDetailCode|2018-08-12 + references: 0, strongest binding: - #_AcknowledgementDetailNotSupportedCode: AcknowledgementDetailNotSupportedCode - #INTERR: Internal system error - #NOSTORE: No storage space for message. @@ -40902,6 +41887,7 @@ Value Sets: 1193 (unversioned) - #SYN113: Formal constraint violation - #SYN114: Insufficient repetitions - ValueSet: http://terminology.hl7.org/ValueSet/v3-AcknowledgementDetailType|2018-08-12 + references: 0, strongest binding: - #E: Error - #ERR: - #I: Information @@ -40909,6 +41895,7 @@ Value Sets: 1193 (unversioned) - #W: Warning - #WARN: - ValueSet: http://terminology.hl7.org/ValueSet/v3-AcknowledgementType|2018-08-12 + references: 0, strongest binding: - #AA: Application Acknowledgement Accept - #AE: Application Acknowledgement Error - #AR: Application Acknowledgement Reject @@ -40916,6 +41903,7 @@ Value Sets: 1193 (unversioned) - #CE: Accept Acknowledgement Commit Error - #CR: Accept Acknowledgement Commit Reject - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActClass|2018-08-12 + references: 0, strongest binding: - #_ActClassContainer: ActClassContainer - #_ActClassRecordOrganizer: record organizer - #_ActClassROI: ActClassROI @@ -41026,15 +42014,19 @@ Value Sets: 1193 (unversioned) - #VERIF: Verification - #XACT: financial transaction - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActClassClinicalDocument|2014-03-26 + references: 0, strongest binding: - #CDALVLONE: CDA Level One clinical document - #DOCCLIN: clinical document - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActClassDocument|2014-03-26 + references: 0, strongest binding: - #CDALVLONE: CDA Level One clinical document - #DOC: document - #DOCCLIN: clinical document - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActClassInvestigation|2014-03-26 + references: 0, strongest binding: - #INVSTG: investigation - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActClassObservation|2014-03-26 + references: 0, strongest binding: - #_ActClassROI: ActClassROI - #_SubjectPhysicalPosition: subject physical position - #ALRT: detected issue @@ -41061,16 +42053,20 @@ Value Sets: 1193 (unversioned) - #SPCOBS: specimen observation - #VERIF: Verification - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActClassProcedure|2014-03-26 + references: 0, strongest binding: - #PROC: procedure - #SBADM: substance administration - #SBEXT: Substance Extraction - #SPECCOLLECT: Specimen Collection - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActClassROI|2014-03-26 + references: 0, strongest binding: - #ROIBND: bounded ROI - #ROIOVL: overlay ROI - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActClassSupply|2014-03-26 + references: 0, strongest binding: - #SPLY: supply - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActCode|2018-08-12 + references: 3, strongest binding: Example - #_ActAccountCode: ActAccountCode - #_ActAdjudicationCode: ActAdjudicationCode - #_ActAdjudicationGroupCode: ActAdjudicationGroupCode @@ -42188,6 +43184,7 @@ Value Sets: 1193 (unversioned) - #XRAY: x-ray - #YEAR: year - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActConsentDirective|2014-03-26 + references: 1, strongest binding: Extensible - #_ActConsentDirective: ActConsentDirective - #EMRGONLY: emergency only - #GRANTORCHOICE: grantor choice @@ -42200,6 +43197,7 @@ Value Sets: 1193 (unversioned) - #OPTOUT: op-out - #OPTOUTE: opt-out with exceptions - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActConsentType|2014-03-26 + references: 0, strongest binding: - #_ActConsentType: ActConsentType - #ICOL: information collection - #IDSCL: information disclosure @@ -42211,6 +43209,7 @@ Value Sets: 1193 (unversioned) - #RSDID: de-identified information access - #RSREID: re-identifiable information access - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActCoverageTypeCode|2014-03-26 + references: 0, strongest binding: - #_ActCoverageTypeCode: ActCoverageTypeCode - #_ActHealthInsuranceTypeCode: ActHealthInsuranceTypeCode - #_ActInsurancePolicyCode: ActInsurancePolicyCode @@ -42269,6 +43268,7 @@ Value Sets: 1193 (unversioned) - #VISPOL: vision care policy - #WCBPOL: worker's compensation - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActEncounterCode|2014-03-26 + references: 2, strongest binding: Extensible - #ACUTE: inpatient acute - #AMB: ambulatory - #EMER: emergency @@ -42281,21 +43281,25 @@ Value Sets: 1193 (unversioned) - #SS: short stay - #VR: virtual - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActExposureLevelCode|2018-08-12 + references: 0, strongest binding: - #_ActExposureLevelCode: ActExposureLevelCode - #HIGH: high - #LOW: low - #MEDIUM: medium - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActIncidentCode|2014-03-26 + references: 2, strongest binding: Extensible - #MVA: Motor vehicle accident - #SCHOOL: School Accident - #SPT: Sporting Accident - #WPA: Workplace accident - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActInvoiceElementModifier|2018-08-12 + references: 0, strongest binding: - #EFORM: Electronic Form To Follow - #FAX: Fax To Follow - #LINV: Last Invoice - #PAPER: Paper Documentation To Follow - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActInvoiceGroupCode|2014-03-26 + references: 0, strongest binding: - #_ActInvoiceInterGroupCode: ActInvoiceInterGroupCode - #_ActInvoiceRootGroupCode: ActInvoiceRootGroupCode - #CPINV: clinical product invoice @@ -42316,6 +43320,7 @@ Value Sets: 1193 (unversioned) - #SBFINV: sessional or block fee invoice - #VRXINV: vision dispense invoice - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActMood|2018-08-12 + references: 0, strongest binding: - #_ActMoodActRequest: act request - #_ActMoodCompletionTrack: ActMoodCompletionTrack - #_ActMoodDesire: desire @@ -42338,6 +43343,7 @@ Value Sets: 1193 (unversioned) - #RSK: risk - #SLOT: resource slot - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActMoodIntent|2014-03-26 + references: 0, strongest binding: - #_ActMoodActRequest: act request - #_ActMoodDesire: desire - #APT: appointment @@ -42349,11 +43355,13 @@ Value Sets: 1193 (unversioned) - #RMD: recommendation - #RQO: request - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActMoodPredicate|2014-03-26 + references: 0, strongest binding: - #EXPEC: expectation - #GOL: Goal - #OPT: option - #RSK: risk - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActPharmacySupplyType|2014-03-26 + references: 1, strongest binding: Example - #DF: Daily Fill - #EM: Emergency Supply - #FF: First Fill @@ -42377,6 +43385,7 @@ Value Sets: 1193 (unversioned) - #UD: Unit Dose - #UDE: unit dose equivalent - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActPriority|2018-08-12 + references: 1, strongest binding: Example - #A: ASAP - #CR: callback results - #CS: callback for scheduling @@ -42393,6 +43402,7 @@ Value Sets: 1193 (unversioned) - #UD: use as directed - #UR: urgent - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActReason|2018-08-12 + references: 1, strongest binding: Example - #_ActAccommodationReason: ActAccommodationReason - #_ActBillableClinicalServiceReason: ActBillableClinicalServiceReason - #_ActBillableServiceReason: ActBillableServiceReason @@ -42674,12 +43684,14 @@ Value Sets: 1193 (unversioned) - #WORK: work related - #WRNGVER: wrong version - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActRelationshipCheckpoint|2018-08-12 + references: 0, strongest binding: - #B: beginning - #E: end - #S: entry - #T: through - #X: exit - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActRelationshipConditional|2014-03-26 + references: 0, strongest binding: - #ACTIMM: active immunization against - #ADJUNCT: adjunctive treatment - #BLOCK: blocks @@ -42698,11 +43710,13 @@ Value Sets: 1193 (unversioned) - #TREAT: treats - #TRIG: has trigger - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActRelationshipFulfills|2014-03-26 + references: 0, strongest binding: - #FLFS: fulfills - #OCCR: occurrence - #OREF: references order - #SCH: schedules request - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActRelationshipHasComponent|2014-03-26 + references: 0, strongest binding: - #ARR: arrival - #COMP: has component - #CTRLV: has control variable @@ -42711,18 +43725,22 @@ Value Sets: 1193 (unversioned) - #PART: has part - #STEP: has step - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActRelationshipJoin|2018-08-12 + references: 0, strongest binding: - #D: detached - #K: kill - #W: wait - #X: exclusive wait - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActRelationshipPertains|2014-03-26 + references: 0, strongest binding: - #PERT: has pertinent information - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActRelationshipSplit|2018-08-12 + references: 0, strongest binding: - #E1: exclusive try once - #EW: exclusive wait - #I1: inclusive try once - #IW: inclusive wait - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActRelationshipSubset|2018-08-12 + references: 0, strongest binding: - #_ParticipationSubset: ParticipationSubset - #ActRelationshipExpectedSubset: ActRelationshipExpectedSubset - #ActRelationshipPastSubset: ActRelationshipPastSubset @@ -42738,6 +43756,7 @@ Value Sets: 1193 (unversioned) - #RECENT: most recent - #SUM: summary - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActRelationshipType|2018-08-12 + references: 0, strongest binding: - #_ActClassTemporallyPertains: ActClassTemporallyPertains - #_ActRelationshipAccounting: ActRelationshipAccounting - #_ActRelationshipConditional: ActRelationshipConditional @@ -42876,6 +43895,7 @@ Value Sets: 1193 (unversioned) - #XCRPT: Excerpts - #XFRM: transformation - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActSite|2018-08-12 + references: 0, strongest binding: - #_HumanActSite: HumanActSite - #_HumanSubstanceAdministrationSite: HumanSubstanceAdministrationSite - #BE: bilateral ears @@ -42931,6 +43951,7 @@ Value Sets: 1193 (unversioned) - #RVG: right ventragluteal - #RVL: right vastus lateralis - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActStatus|2018-08-12 + references: 0, strongest binding: - #aborted: aborted - #active: active - #cancelled: cancelled @@ -42942,6 +43963,7 @@ Value Sets: 1193 (unversioned) - #obsolete: obsolete - #suspended: suspended - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActSubstanceAdminSubstitutionCode|2014-03-26 + references: 2, strongest binding: Example - #BC: brand composition - #E: equivalent - #EC: equivalent composition @@ -42952,6 +43974,7 @@ Value Sets: 1193 (unversioned) - #TE: therapeutic alternative - #TG: therapeutic generic - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActTaskCode|2014-03-26 + references: 0, strongest binding: - #_ActTaskCode: ActTaskCode - #ALLERLE: allergy list entry - #ALLERLREV: allergy list review @@ -42991,9 +44014,11 @@ Value Sets: 1193 (unversioned) - #WELLREMLE: wellness reminder list entry - #WELLREMLREV: wellness reminder list review - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActUncertainty|2018-08-12 + references: 0, strongest binding: - #N: stated with no assertion of uncertainty - #U: stated with uncertainty - ValueSet: http://terminology.hl7.org/ValueSet/v3-AddressPartType|2018-08-12 + references: 0, strongest binding: - #ADL: additional locator - #AL: address line - #BNN: building number numeric @@ -43025,6 +44050,7 @@ Value Sets: 1193 (unversioned) - #UNIT: unit designator - #ZIP: postal code - ValueSet: http://terminology.hl7.org/ValueSet/v3-AddressUse|2018-08-12 + references: 0, strongest binding: - #_GeneralAddressUse: _GeneralAddressUse - #_PostalAddressUse: _PostalAddressUse - #_TelecommunicationAddressUse: _TelecommunicationAddressUse @@ -43045,10 +44071,12 @@ Value Sets: 1193 (unversioned) - #TMP: temporary address - #WP: work place - ValueSet: http://terminology.hl7.org/ValueSet/v3-AdministrativeGender|2018-08-12 + references: 0, strongest binding: - #F: Female - #M: Male - #UN: Undifferentiated - ValueSet: http://terminology.hl7.org/ValueSet/v3-AmericanIndianAlaskaNativeLanguages|2018-08-12 + references: 0, strongest binding: - #_Abenakian: Abenakian - #_Aleut: Aleut - #_Algic: Algic @@ -43305,12 +44333,16 @@ Value Sets: 1193 (unversioned) - #x-YUR: Yurok - #x-ZUN: Zuni - ValueSet: http://terminology.hl7.org/ValueSet/v3-Calendar|2018-08-12 + references: 0, strongest binding: - #GREG: Gregorian - ValueSet: http://terminology.hl7.org/ValueSet/v3-CalendarCycle|2018-08-12 + references: 0, strongest binding: - #WM: week of the month - ValueSet: http://terminology.hl7.org/ValueSet/v3-CalendarType|2018-08-12 + references: 0, strongest binding: - #GREG: Gregorian - ValueSet: http://terminology.hl7.org/ValueSet/v3-Charset|2018-08-12 + references: 0, strongest binding: - #EBCDIC: EBCDIC - #ISO-10646-UCS-2: ISO-10646-UCS-2 - #ISO-10646-UCS-4: ISO-10646-UCS-4 @@ -43322,6 +44354,7 @@ Value Sets: 1193 (unversioned) - #UTF-7: UTF-7 - #UTF-8: UTF-8 - ValueSet: http://terminology.hl7.org/ValueSet/v3-CodingRationale|2018-08-12 + references: 0, strongest binding: - #HL7: HL7 Specified or Mandated - #O: originally produced code - #OR: original and required @@ -43331,10 +44364,12 @@ Value Sets: 1193 (unversioned) - #SH: Both HL7 mandated and the original code - #SRC: Source (or original) code - ValueSet: http://terminology.hl7.org/ValueSet/v3-CommunicationFunctionType|2018-08-12 + references: 0, strongest binding: - #RCV: receiver - #RSP: respond to - #SND: sender - ValueSet: http://terminology.hl7.org/ValueSet/v3-Compartment|2014-03-26 + references: 0, strongest binding: - #ACOCOMPT: accountable care organization compartment - #COMPT: compartment - #CTCOMPT: care team compartment @@ -43345,6 +44380,7 @@ Value Sets: 1193 (unversioned) - #RESCOMPT: research project compartment - #RMGTCOMPT: records management compartment - ValueSet: http://terminology.hl7.org/ValueSet/v3-CompressionAlgorithm|2018-08-12 + references: 0, strongest binding: - #BZ: bzip - #DF: deflate - #GZ: gzip @@ -43352,6 +44388,7 @@ Value Sets: 1193 (unversioned) - #Z7: Z7 - #ZL: zlib - ValueSet: http://terminology.hl7.org/ValueSet/v3-Confidentiality|2018-08-12 + references: 0, strongest binding: - #_Confidentiality: Confidentiality - #_ConfidentialityByAccessKind: ConfidentialityByAccessKind - #_ConfidentialityByInfoType: ConfidentialityByInfoType @@ -43373,6 +44410,7 @@ Value Sets: 1193 (unversioned) - #U: unrestricted - #V: very restricted - ValueSet: http://terminology.hl7.org/ValueSet/v3-ConfidentialityClassification|2014-03-26 + references: 1, strongest binding: Required - #L: low - #M: moderate - #N: normal @@ -43380,6 +44418,7 @@ Value Sets: 1193 (unversioned) - #U: unrestricted - #V: very restricted - ValueSet: http://terminology.hl7.org/ValueSet/v3-ContainerCap|2018-08-12 + references: 0, strongest binding: - #_MedicationCap: MedicationCap - #CHILD: ChildProof - #EASY: EasyOpen @@ -43388,12 +44427,15 @@ Value Sets: 1193 (unversioned) - #PUSH: Push Cap - #SCR: Screw Cap - ValueSet: http://terminology.hl7.org/ValueSet/v3-ContainerSeparator|2018-08-12 + references: 0, strongest binding: - #GEL: Gel - #NONE: None - ValueSet: http://terminology.hl7.org/ValueSet/v3-ContentProcessingMode|2018-08-12 + references: 0, strongest binding: - #SEQL: Sequential - #UNOR: Unordered - ValueSet: http://terminology.hl7.org/ValueSet/v3-ContextControl|2018-08-12 + references: 0, strongest binding: - #_ContextControlAdditive: ContextControlAdditive - #_ContextControlNonPropagating: ContextControlNonPropagating - #_ContextControlOverriding: ContextControlOverriding @@ -43403,6 +44445,7 @@ Value Sets: 1193 (unversioned) - #ON: overriding, non-propagating - #OP: overriding, propagating - ValueSet: http://terminology.hl7.org/ValueSet/v3-DataOperation|2018-08-12 + references: 0, strongest binding: - #ABORT: abort - #ACTIVATE: activate - #APPEND: append @@ -43424,6 +44467,7 @@ Value Sets: 1193 (unversioned) - #SUSPEND: suspend - #UPDATE: revise - ValueSet: http://terminology.hl7.org/ValueSet/v3-Dentition|2018-08-12 + references: 0, strongest binding: - #ArtificialDentition: Artificial dentition - #PermanentDentition: Permanent dentition - #PrimaryDentition: Primary dentition @@ -43729,11 +44773,13 @@ Value Sets: 1193 (unversioned) - #TIDT: T - #TIDTs: Ts - ValueSet: http://terminology.hl7.org/ValueSet/v3-DeviceAlertLevel|2018-08-12 + references: 0, strongest binding: - #C: Critical - #N: Normal - #S: Serious - #W: Warning - ValueSet: http://terminology.hl7.org/ValueSet/v3-DocumentCompletion|2018-08-12 + references: 0, strongest binding: - #AU: authenticated - #DI: dictated - #DO: documented @@ -43744,11 +44790,13 @@ Value Sets: 1193 (unversioned) - #PA: pre-authenticated - #UC: unsigned completed document - ValueSet: http://terminology.hl7.org/ValueSet/v3-DocumentStorage|2018-08-12 + references: 0, strongest binding: - #AA: active and archived - #AC: active - #AR: archived (not active) - #PU: purged - ValueSet: http://terminology.hl7.org/ValueSet/v3-EducationLevel|2018-08-12 + references: 0, strongest binding: - #ASSOC: Associate's or technical degree complete - #BD: College or baccalaureate degree complete - #ELEM: Elementary School @@ -43759,23 +44807,28 @@ Value Sets: 1193 (unversioned) - #SCOL: Some College education - #SEC: Some secondary or high school education - ValueSet: http://terminology.hl7.org/ValueSet/v3-EmployeeJobClass|2018-08-12 + references: 0, strongest binding: - #FT: full-time - #PT: part-time - ValueSet: http://terminology.hl7.org/ValueSet/v3-employmentStatusODH|2018-08-12 + references: 0, strongest binding: - #Employed: Employed - #NotInLaborForce: Not In Labor Force - #Unemployed: Unemployed - ValueSet: http://terminology.hl7.org/ValueSet/v3-EncounterAdmissionSource|2018-08-12 + references: 0, strongest binding: - #E: emergency - #LD: labor and delivery - #NB: newborn - ValueSet: http://terminology.hl7.org/ValueSet/v3-EncounterSpecialCourtesy|2018-08-12 + references: 0, strongest binding: - #EXT: extended courtesy - #NRM: normal courtesy - #PRF: professional courtesy - #STF: staff - #VIP: very important person - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityClass|2018-08-12 + references: 0, strongest binding: - #ANM: animal - #CER: certificate representation - #CHEM: chemical substance @@ -43804,10 +44857,12 @@ Value Sets: 1193 (unversioned) - #RGRP: group - #STATE: state - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityClassDevice|2014-03-26 + references: 0, strongest binding: - #CER: certificate representation - #DEV: device - #MODDV: imaging modality - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityClassLivingSubject|2014-03-26 + references: 0, strongest binding: - #ANM: animal - #LIV: living subject - #MIC: microorganism @@ -43815,6 +44870,7 @@ Value Sets: 1193 (unversioned) - #PLNT: plant - #PSN: person - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityClassManufacturedMaterial|2014-03-26 + references: 0, strongest binding: - #CER: certificate representation - #CONT: container - #DEV: device @@ -43822,17 +44878,20 @@ Value Sets: 1193 (unversioned) - #MMAT: manufactured material - #MODDV: imaging modality - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityClassOrganization|2014-03-26 + references: 0, strongest binding: - #NAT: Nation - #ORG: organization - #PUB: public institution - #STATE: state - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityClassPlace|2014-03-26 + references: 0, strongest binding: - #CITY: city or town - #COUNTRY: country - #COUNTY: county or parish - #PLC: place - #PROVINCE: state or province - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityClassRoot|2014-03-26 + references: 0, strongest binding: - #ANM: animal - #CER: certificate representation - #CHEM: chemical substance @@ -43861,6 +44920,7 @@ Value Sets: 1193 (unversioned) - #RGRP: group - #STATE: state - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityCode|2018-08-12 + references: 0, strongest binding: - #_AccessMedicalDevice: AccessMedicalDevice - #_AdministrationMedicalDevice: AdministrationMedicalDevice - #_ClinicalDrug: ClinicalDrug @@ -44007,16 +45067,19 @@ Value Sets: 1193 (unversioned) - #WEST: Buffered Citrate - #WING: Wing Location - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityDeterminer|2018-08-12 + references: 0, strongest binding: - #GROUP: specific group - #GROUPKIND: described group - #INSTANCE: specific - #KIND: described - #QUANTIFIED_KIND: described quantified - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityDeterminerDetermined|2014-03-26 + references: 0, strongest binding: - #GROUPKIND: described group - #KIND: described - #QUANTIFIED_KIND: described quantified - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityHandling|2018-08-12 + references: 0, strongest binding: - #AMB: Ambient Temperature - #C37: Body Temperature - #CAMB: Critical Ambient temperature @@ -44036,6 +45099,7 @@ Value Sets: 1193 (unversioned) - #UFRZ: Ultra frozen - #UPR: upright - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityNamePartQualifier|2018-08-12 + references: 0, strongest binding: - #_OrganizationNamePartQualifier: OrganizationNamePartQualifier - #_PersonNamePartAffixTypes: PersonNamePartAffixTypes - #_PersonNamePartChangeQualifier: PersonNamePartChangeQualifier @@ -44066,6 +45130,7 @@ Value Sets: 1193 (unversioned) - #USE: intended use name - #VV: voorvoegsel - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityNamePartQualifierR2|2018-08-12 + references: 0, strongest binding: - #AC: academic - #AD: acquired - #BR: birth @@ -44094,17 +45159,20 @@ Value Sets: 1193 (unversioned) - #TMK: trademark name - #USE: intended use name - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityNamePartType|2018-08-12 + references: 0, strongest binding: - #DEL: delimiter - #FAM: family - #GIV: given - #PFX: prefix - #SFX: suffix - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityNamePartTypeR2|2018-08-12 + references: 0, strongest binding: - #DEL: delimiter - #FAM: family - #GIV: given - #TITLE: title - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityNameUse|2018-08-12 + references: 0, strongest binding: - #_NameRepresentationUse: NameRepresentationUse - #A: Artist/Stage - #ABC: Alphabetic @@ -44121,6 +45189,7 @@ Value Sets: 1193 (unversioned) - #SRCH: search - #SYL: Syllabic - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityNameUseR2|2018-08-12 + references: 1, strongest binding: Required - #A: business name - #ABC: alphabetic - #ANON: Anonymous @@ -44140,6 +45209,7 @@ Value Sets: 1193 (unversioned) - #SYL: syllabic - #T: temporary - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityRisk|2018-08-12 + references: 0, strongest binding: - #AGG: aggressive - #BHZ: biohazard - #BIO: Biological @@ -44152,17 +45222,20 @@ Value Sets: 1193 (unversioned) - #POI: poison - #RAD: radioactive - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityStatus|2018-08-12 + references: 0, strongest binding: - #active: active - #inactive: inactive - #normal: normal - #nullified: nullified - #terminated: terminated - ValueSet: http://terminology.hl7.org/ValueSet/v3-EquipmentAlertLevel|2018-08-12 + references: 0, strongest binding: - #C: Critical - #N: Normal - #S: Serious - #W: Warning - ValueSet: http://terminology.hl7.org/ValueSet/v3-Ethnicity|2018-08-12 + references: 0, strongest binding: - #2135-2: Hispanic or Latino - #2137-8: Spaniard - #2138-6: Andalusian @@ -44207,12 +45280,14 @@ Value Sets: 1193 (unversioned) - #2184-0: Dominican - #2186-5: Not Hispanic or Latino - ValueSet: http://terminology.hl7.org/ValueSet/v3-ExposureMode|2018-08-12 + references: 0, strongest binding: - #_ExposureMode: ExposureMode - #AIRBORNE: airborne - #CONTACT: contact - #FOODBORNE: foodborne - #WATERBORNE: waterborne - ValueSet: http://terminology.hl7.org/ValueSet/v3-FamilyMember|2014-03-26 + references: 1, strongest binding: Example - #ADOPTF: adoptive father - #ADOPTM: adoptive mother - #ADOPTP: adoptive parent @@ -44319,9 +45394,11 @@ Value Sets: 1193 (unversioned) - #UNCLE: uncle - #WIFE: wife - ValueSet: http://terminology.hl7.org/ValueSet/v3-GenderStatus|2018-08-12 + references: 0, strongest binding: - #I: Intact - #N: Neutered - ValueSet: http://terminology.hl7.org/ValueSet/v3-GeneralPurposeOfUse|2014-03-26 + references: 0, strongest binding: - #COVERAGE: coverage under policy or program - #ETREAT: Emergency Treatment - #HMARKT: healthcare marketing @@ -44332,6 +45409,7 @@ Value Sets: 1193 (unversioned) - #PUBHLTH: public health - #TREAT: treatment - ValueSet: http://terminology.hl7.org/ValueSet/v3-GTSAbbreviation|2018-08-12 + references: 0, strongest binding: - #_GTSAbbreviationHolidaysChristianRoman: GTSAbbreviationHolidaysChristianRoman - #AM: AM - #BED: at bedtime @@ -44377,6 +45455,7 @@ Value Sets: 1193 (unversioned) - #TID: TID - #WK: weekly - ValueSet: http://terminology.hl7.org/ValueSet/v3-hl7ApprovalStatus|2018-08-12 + references: 0, strongest binding: - #affd: affiliate ballot - DSTU - #affi: affiliate ballot - informative - #affn: affiliate ballot - normative @@ -44396,6 +45475,7 @@ Value Sets: 1193 (unversioned) - #ref: reference - #wd: withdrawn - ValueSet: http://terminology.hl7.org/ValueSet/v3-hl7CMETAttribution|2018-08-12 + references: 0, strongest binding: - #contact: contact - #identified: identified - #identified-confirmable: identified-confirmable @@ -44404,15 +45484,19 @@ Value Sets: 1193 (unversioned) - #minimal: minimal - #universal: universal - ValueSet: http://terminology.hl7.org/ValueSet/v3-HL7ContextConductionStyle|2018-08-12 + references: 0, strongest binding: - #C: conduction-indicator-based - #I: inferred - #V: vocabulary-based - ValueSet: http://terminology.hl7.org/ValueSet/v3-hl7ITSType|2018-08-12 + references: 0, strongest binding: - #UML: universal modeling language - #XML: extensible markup language - ValueSet: http://terminology.hl7.org/ValueSet/v3-hl7ITSVersionCode|2018-08-12 + references: 0, strongest binding: - #XMLV1PR1: XMLV1PR1 - ValueSet: http://terminology.hl7.org/ValueSet/v3-hl7PublishingDomain|2018-08-12 + references: 0, strongest binding: - #AB: accounting & billing - #AI: trigger event control act infrastructure - #AL: artificial listing for test purposes - faux Domain for testing @@ -44456,11 +45540,13 @@ Value Sets: 1193 (unversioned) - #SP: specimen - #TD: therapeutic devices - ValueSet: http://terminology.hl7.org/ValueSet/v3-hl7PublishingSection|2018-08-12 + references: 0, strongest binding: - #AM: administrative management - #HM: health and clinical management - #IM: infrastructure management - #UU: unknown - ValueSet: http://terminology.hl7.org/ValueSet/v3-hl7PublishingSubSection|2018-08-12 + references: 0, strongest binding: - #CO: common - #FI: financial information - #MC: message control @@ -44472,6 +45558,7 @@ Value Sets: 1193 (unversioned) - #RE: reasoning - #UU: unknown - ValueSet: http://terminology.hl7.org/ValueSet/v3-hl7Realm|2018-08-12 + references: 0, strongest binding: - #AffiliateRealms: Affiliate Realms - #AR: Argentina - #AT: Austria @@ -44518,6 +45605,7 @@ Value Sets: 1193 (unversioned) - #X1: Example Realm - #ZZ: Localized Version - ValueSet: http://terminology.hl7.org/ValueSet/v3-HL7StandardVersionCode|2018-08-12 + references: 0, strongest binding: - #Ballot2008Jan: Ballot 2008 January - #Ballot2008May: Ballot 2008 May - #Ballot2008Sep: Ballot 2008 September @@ -44544,6 +45632,7 @@ Value Sets: 1193 (unversioned) - #V3-2012N: 2012 Normative Edition - #V3PR1: Version3 Pre-release #1 - ValueSet: http://terminology.hl7.org/ValueSet/v3-HL7UpdateMode|2018-08-12 + references: 0, strongest binding: - #_SetUpdateMode: SetUpdateMode - #A: Add - #AR: Add or Replace @@ -44561,6 +45650,7 @@ Value Sets: 1193 (unversioned) - #U: Unknown - #V: Verify - ValueSet: http://terminology.hl7.org/ValueSet/v3-hl7V3Conformance|2018-08-12 + references: 0, strongest binding: - #I: ignored - #NP: not permitted - #R: required @@ -44568,6 +45658,7 @@ Value Sets: 1193 (unversioned) - #RI: required for initiator - #U: undetermined - ValueSet: http://terminology.hl7.org/ValueSet/v3-hl7VoteResolution|2018-08-12 + references: 0, strongest binding: - #affdef: affirmative-deferred - #affi: affirmative-incorporated - #affirmativeResolution: affirmative resolution @@ -44582,6 +45673,7 @@ Value Sets: 1193 (unversioned) - #unresolved: unresolved - #withdraw: withdrawn - ValueSet: http://terminology.hl7.org/ValueSet/v3-HtmlLinkType|2018-08-12 + references: 0, strongest binding: - #alternate: alternate - #appendix: appendix - #bookmark: bookmark @@ -44598,15 +45690,18 @@ Value Sets: 1193 (unversioned) - #stylesheet: stylesheet - #subsection: subsection - ValueSet: http://terminology.hl7.org/ValueSet/v3-IdentifierReliability|2018-08-12 + references: 0, strongest binding: - #ISS: Issued by System - #UNV: Unverified by system - #VRF: Verified by system - ValueSet: http://terminology.hl7.org/ValueSet/v3-IdentifierScope|2018-08-12 + references: 0, strongest binding: - #BUSN: Business Identifier - #OBJ: Object Identifier - #VER: Version Identifier - #VW: View Specific Identifier - ValueSet: http://terminology.hl7.org/ValueSet/v3-InformationSensitivityPolicy|2014-03-26 + references: 0, strongest binding: - #_ActInformationSensitivityPolicy: ActInformationSensitivityPolicy - #_EntitySensitivityPolicyType: EntityInformationSensitivityPolicy - #_InformationSensitivityPolicy: InformationSensitivityPolicy @@ -44653,9 +45748,11 @@ Value Sets: 1193 (unversioned) - #TBOO: taboo - #VIO: violence information sensitivity - ValueSet: http://terminology.hl7.org/ValueSet/v3-IntegrityCheckAlgorithm|2018-08-12 + references: 0, strongest binding: - #SHA-1: secure hash algorithm - 1 - #SHA-256: secure hash algorithm - 256 - ValueSet: http://terminology.hl7.org/ValueSet/v3-LanguageAbilityMode|2018-08-12 + references: 0, strongest binding: - #ESGN: Expressed signed - #ESP: Expressed spoken - #EWR: Expressed written @@ -44663,11 +45760,13 @@ Value Sets: 1193 (unversioned) - #RSP: Received spoken - #RWR: Received written - ValueSet: http://terminology.hl7.org/ValueSet/v3-LanguageAbilityProficiency|2018-08-12 + references: 0, strongest binding: - #E: Excellent - #F: Fair - #G: Good - #P: Poor - ValueSet: http://terminology.hl7.org/ValueSet/v3-LivingArrangement|2018-08-12 + references: 0, strongest binding: - #CS: community shelter - #G: Group Home - #H: Independent Household @@ -44681,12 +45780,15 @@ Value Sets: 1193 (unversioned) - #T: Transient - #X: Extended care facility - ValueSet: http://terminology.hl7.org/ValueSet/v3-LocalMarkupIgnore|2018-08-12 + references: 0, strongest binding: - #all: all - #markup: markup - ValueSet: http://terminology.hl7.org/ValueSet/v3-LocalRemoteControlState|2018-08-12 + references: 0, strongest binding: - #L: Local - #R: Remote - ValueSet: http://terminology.hl7.org/ValueSet/v3-ManagedParticipationStatus|2018-08-12 + references: 0, strongest binding: - #active: active - #cancelled: cancelled - #completed: completed @@ -44694,10 +45796,12 @@ Value Sets: 1193 (unversioned) - #nullified: nullified - #pending: pending - ValueSet: http://terminology.hl7.org/ValueSet/v3-MapRelationship|2018-08-12 + references: 0, strongest binding: - #BT: Broader Than - #E: Exact - #NT: Narrower Than - ValueSet: http://terminology.hl7.org/ValueSet/v3-MaritalStatus|2018-08-12 + references: 0, strongest binding: - #A: Annulled - #D: Divorced - #I: Interlocutory @@ -44709,18 +45813,22 @@ Value Sets: 1193 (unversioned) - #U: unmarried - #W: Widowed - ValueSet: http://terminology.hl7.org/ValueSet/v3-MessageWaitingPriority|2018-08-12 + references: 0, strongest binding: - #H: High - #L: Low - #M: Medium - ValueSet: http://terminology.hl7.org/ValueSet/v3-MilitaryRoleType|2014-03-26 + references: 0, strongest binding: - #ACTMIL: active duty military - #MIL: military - #RETMIL: retired military - #VET: veteran - ValueSet: http://terminology.hl7.org/ValueSet/v3-ModifyIndicator|2018-08-12 + references: 0, strongest binding: - #M: Modified subscription - #N: New subscription - ValueSet: http://terminology.hl7.org/ValueSet/v3-NullFlavor|2018-08-12 + references: 1, strongest binding: Required - #ASKU: asked but unknown - #DER: derived - #INV: invalid @@ -44739,6 +45847,7 @@ Value Sets: 1193 (unversioned) - #UNC: un-encoded - #UNK: unknown - ValueSet: http://terminology.hl7.org/ValueSet/v3-ObligationPolicy|2014-03-26 + references: 0, strongest binding: - #ANONY: anonymize - #AOD: accounting of disclosure - #AUDIT: audit @@ -44769,6 +45878,7 @@ Value Sets: 1193 (unversioned) - #REDACT: redact - #UPGRDLABEL: upgrade security label - ValueSet: http://terminology.hl7.org/ValueSet/v3-ObservationCategory|2018-08-12 + references: 0, strongest binding: - #exam: Exam - #imaging: Imaging - #laboratory: Laboratory @@ -44778,6 +45888,7 @@ Value Sets: 1193 (unversioned) - #therapy: Therapy - #vital-signs: Vital Signs - ValueSet: http://terminology.hl7.org/ValueSet/v3-ObservationInterpretation|2018-08-12 + references: 0, strongest binding: - #_GeneticObservationInterpretation: GeneticObservationInterpretation - #_ObservationInterpretationChange: ObservationInterpretationChange - #_ObservationInterpretationExceptions: ObservationInterpretationExceptions @@ -44826,6 +45937,7 @@ Value Sets: 1193 (unversioned) - #W: Worse - #WR: Weakly reactive - ValueSet: http://terminology.hl7.org/ValueSet/v3-ObservationMethod|2018-08-12 + references: 0, strongest binding: - #_DecisionObservationMethod: DecisionObservationMethod - #_GeneticObservationMethod: GeneticObservationMethod - #_ObservationMethodAggregate: observation method aggregate @@ -45131,6 +46243,7 @@ Value Sets: 1193 (unversioned) - #VTOKEN: electronic token verification - #VVOICE: voice-based verification - ValueSet: http://terminology.hl7.org/ValueSet/v3-ObservationType|2014-03-26 + references: 0, strongest binding: - #_ActAdministrativeAuthorizationDetectedIssueCode: ActAdministrativeAuthorizationDetectedIssueCode - #_ActAdministrativeDetectedIssueCode: ActAdministrativeDetectedIssueCode - #_ActAdministrativeRuleDetectedIssueCode: ActAdministrativeRuleDetectedIssueCode @@ -45406,6 +46519,7 @@ Value Sets: 1193 (unversioned) - #WATTRNS: water-borne transmission - #WGHT: - ValueSet: http://terminology.hl7.org/ValueSet/v3-ObservationValue|2018-08-12 + references: 0, strongest binding: - #_ActCoverageAssessmentObservationValue: ActCoverageAssessmentObservationValue - #_ActFinancialStatusObservationValue: ActFinancialStatusObservationValue - #_AllergyTestValue: AllergyTestValue @@ -45648,6 +46762,7 @@ Value Sets: 1193 (unversioned) - #VS: variable shift - #WEIGHTSCR: Weighted Scoring - ValueSet: http://terminology.hl7.org/ValueSet/v3-orderableDrugForm|2018-08-12 + references: 0, strongest binding: - #_AdministrableDrugForm: AdministrableDrugForm - #_DispensableDrugForm: DispensableDrugForm - #_GasDrugForm: GasDrugForm @@ -45810,6 +46925,7 @@ Value Sets: 1193 (unversioned) - #VGELAPL: Vaginal Gel with Applicator - #WAFER: Wafer - ValueSet: http://terminology.hl7.org/ValueSet/v3-ParticipationFunction|2018-08-12 + references: 0, strongest binding: - #_AuthorizedParticipationFunction: AuthorizedParticipationFunction - #_AuthorizedReceiverParticipationFunction: AuthorizedReceiverParticipationFunction - #_ConsenterParticipationFunction: ConsenterParticipationFunction @@ -45860,6 +46976,7 @@ Value Sets: 1193 (unversioned) - #UMGT: utilization management - #UNDERWRTNG: underwriting - ValueSet: http://terminology.hl7.org/ValueSet/v3-ParticipationIndirectTarget|2014-03-26 + references: 0, strongest binding: - #BEN: beneficiary - #CAGNT: causative agent - #COV: coverage target @@ -45869,15 +46986,18 @@ Value Sets: 1193 (unversioned) - #RCT: record target - #RCV: receiver - ValueSet: http://terminology.hl7.org/ValueSet/v3-ParticipationInformationGenerator|2014-03-26 + references: 0, strongest binding: - #AUT: author (originator) - #ENT: data entry person - #INF: informant - #TRANS: Transcriber - #WIT: witness - ValueSet: http://terminology.hl7.org/ValueSet/v3-ParticipationInformationTranscriber|2014-03-26 + references: 0, strongest binding: - #ENT: data entry person - #TRANS: Transcriber - ValueSet: http://terminology.hl7.org/ValueSet/v3-ParticipationMode|2018-08-12 + references: 2, strongest binding: Example - #DICTATE: dictated - #ELECTRONIC: electronic data - #EMAILWRIT: email @@ -45894,15 +47014,18 @@ Value Sets: 1193 (unversioned) - #VIDEOCONF: videoconferencing - #WRITTEN: written - ValueSet: http://terminology.hl7.org/ValueSet/v3-ParticipationPhysicalPerformer|2014-03-26 + references: 0, strongest binding: - #DIST: distributor - #PPRF: primary performer - #PRF: performer - #SPRF: secondary performer - ValueSet: http://terminology.hl7.org/ValueSet/v3-ParticipationSignature|2018-08-12 + references: 0, strongest binding: - #I: intended - #S: signed - #X: required - ValueSet: http://terminology.hl7.org/ValueSet/v3-ParticipationTargetDirect|2014-03-26 + references: 0, strongest binding: - #ALY: analyte - #BBY: baby - #CAT: catalyst @@ -45921,6 +47044,7 @@ Value Sets: 1193 (unversioned) - #SPC: specimen - #TPA: therapeutic agent - ValueSet: http://terminology.hl7.org/ValueSet/v3-ParticipationTargetLocation|2014-03-26 + references: 0, strongest binding: - #DST: destination - #ELOC: entry location - #LOC: location @@ -45928,9 +47052,11 @@ Value Sets: 1193 (unversioned) - #RML: remote - #VIA: via - ValueSet: http://terminology.hl7.org/ValueSet/v3-ParticipationTargetSubject|2014-03-26 + references: 0, strongest binding: - #SBJ: subject - #SPC: specimen - ValueSet: http://terminology.hl7.org/ValueSet/v3-ParticipationType|2018-08-12 + references: 0, strongest binding: - #_ParticipationAncillary: ParticipationAncillary - #_ParticipationInformationGenerator: ParticipationInformationGenerator - #ADM: admitter @@ -45993,10 +47119,12 @@ Value Sets: 1193 (unversioned) - #VRF: verifier - #WIT: witness - ValueSet: http://terminology.hl7.org/ValueSet/v3-ParticipationVerifier|2014-03-26 + references: 0, strongest binding: - #AUTHEN: authenticator - #LA: legal authenticator - #VRF: verifier - ValueSet: http://terminology.hl7.org/ValueSet/v3-PatientImportance|2018-08-12 + references: 0, strongest binding: - #BM: Board Member - #DFM: Physician Family Member - #DR: Staff Physician @@ -46007,11 +47135,13 @@ Value Sets: 1193 (unversioned) - #STF: Staff Member - #VIP: Very Important Person - ValueSet: http://terminology.hl7.org/ValueSet/v3-PaymentTerms|2018-08-12 + references: 0, strongest binding: - #COD: Cash on Delivery - #N30: Net 30 days - #N60: Net 60 days - #N90: Net 90 days - ValueSet: http://terminology.hl7.org/ValueSet/v3-PersonalRelationshipRoleType|2014-03-26 + references: 0, strongest binding: - #ADOPTF: adoptive father - #ADOPTM: adoptive mother - #ADOPTP: adoptive parent @@ -46122,6 +47252,7 @@ Value Sets: 1193 (unversioned) - #UNCLE: uncle - #WIFE: wife - ValueSet: http://terminology.hl7.org/ValueSet/v3-PersonDisabilityType|2018-08-12 + references: 0, strongest binding: - #1: Vision impaired - #2: Hearing impaired - #3: Speech impaired @@ -46133,6 +47264,7 @@ Value Sets: 1193 (unversioned) - #WC: Requires wheelchair - #WK: Requires walker - ValueSet: http://terminology.hl7.org/ValueSet/v3-ProbabilityDistributionType|2018-08-12 + references: 0, strongest binding: - #B: beta - #E: exponential - #F: F @@ -46143,15 +47275,18 @@ Value Sets: 1193 (unversioned) - #U: uniform - #X2: chi square - ValueSet: http://terminology.hl7.org/ValueSet/v3-ProcessingID|2018-08-12 + references: 0, strongest binding: - #D: Debugging - #P: Production - #T: Training - ValueSet: http://terminology.hl7.org/ValueSet/v3-ProcessingMode|2018-08-12 + references: 0, strongest binding: - #A: Archive - #I: Initial load - #R: Restore from archive - #T: Current processing - ValueSet: http://terminology.hl7.org/ValueSet/v3-ProvenanceEventCurrentState-AS|2014-08-07 + references: 0, strongest binding: - #aborted: aborted - #cancelled: cancelled - #completed: completed @@ -46159,12 +47294,14 @@ Value Sets: 1193 (unversioned) - #nullified: nullified - #obsolete: obsolete - ValueSet: http://terminology.hl7.org/ValueSet/v3-ProvenanceEventCurrentState-DC|2014-08-07 + references: 0, strongest binding: - #AU: authenticated - #DI: dictated - #DO: documented - #LA: legally authenticated - #UC: unsigned completed document - ValueSet: http://terminology.hl7.org/ValueSet/v3-PurposeOfUse|2014-03-26 + references: 6, strongest binding: Extensible - #BIORCH: biomedical research - #BTG: break the glass - #CAREMGT: care management @@ -46226,6 +47363,7 @@ Value Sets: 1193 (unversioned) - #TRANSRCH: translational healthcare research - #TREAT: treatment - ValueSet: http://terminology.hl7.org/ValueSet/v3-QueryParameterValue|2018-08-12 + references: 0, strongest binding: - #_DispenseQueryFilterCode: dispense query filter code - #_OrderFilterCode: _OrderFilterCode - #_PrescriptionDispenseFilterCode: Prescription Dispense Filter Code @@ -46243,23 +47381,28 @@ Value Sets: 1193 (unversioned) - #OWR: orders with results - #R: Dispensed with remaining fills - ValueSet: http://terminology.hl7.org/ValueSet/v3-QueryPriority|2018-08-12 + references: 0, strongest binding: - #D: Deferred - #I: Immediate - ValueSet: http://terminology.hl7.org/ValueSet/v3-QueryRequestLimit|2018-08-12 + references: 0, strongest binding: - #_QueryRequestLimit: QueryRequestLimit - #RD: record - ValueSet: http://terminology.hl7.org/ValueSet/v3-QueryResponse|2018-08-12 + references: 0, strongest binding: - #AE: ApplicationError - #NF: No data found - #OK: Data found - #QE: QueryParameterError - ValueSet: http://terminology.hl7.org/ValueSet/v3-QueryStatusCode|2018-08-12 + references: 0, strongest binding: - #aborted: aborted - #deliveredResponse: deliveredResponse - #executing: executing - #new: new - #waitContinuedQueryResponse: waitContinuedQueryResponse - ValueSet: http://terminology.hl7.org/ValueSet/v3-Race|2018-08-12 + references: 0, strongest binding: - #1002-5: American Indian or Alaska Native - #1004-1: American Indian - #1006-6: Abenaki @@ -47182,6 +48325,7 @@ Value Sets: 1193 (unversioned) - #2131-1: Other Race - #2500-7: Other Pacific Islander - ValueSet: http://terminology.hl7.org/ValueSet/v3-RefrainPolicy|2014-03-26 + references: 0, strongest binding: - #NOAUTH: no disclosure without subject authorization - #NOCOLLECT: no collection - #NODSCLCD: no disclosure without consent directive @@ -47201,6 +48345,7 @@ Value Sets: 1193 (unversioned) - #ORCON: no disclosure without originator authorization - #RefrainPolicy: refrain policy - ValueSet: http://terminology.hl7.org/ValueSet/v3-RelationalOperator|2018-08-12 + references: 0, strongest binding: - #CT: Contains - #EQ: Equal - #GE: Greater than or equal @@ -47210,10 +48355,12 @@ Value Sets: 1193 (unversioned) - #LT: Less than - #NE: Not Equal - ValueSet: http://terminology.hl7.org/ValueSet/v3-RelationshipConjunction|2018-08-12 + references: 0, strongest binding: - #AND: and - #OR: or - #XOR: exclusive or - ValueSet: http://terminology.hl7.org/ValueSet/v3-ReligiousAffiliation|2018-08-12 + references: 1, strongest binding: Extensible - #1001: Adventist - #1002: African Religions - #1003: Afro-Caribbean Religions @@ -47297,6 +48444,7 @@ Value Sets: 1193 (unversioned) - #1081: Unitarian Universalist - #1082: United Church of Christ - ValueSet: http://terminology.hl7.org/ValueSet/v3-ResponseLevel|2018-08-12 + references: 0, strongest binding: - #C: completion - #D: detail - #E: exception @@ -47305,14 +48453,17 @@ Value Sets: 1193 (unversioned) - #R: modification - #X: none - ValueSet: http://terminology.hl7.org/ValueSet/v3-ResponseModality|2018-08-12 + references: 0, strongest binding: - #B: Batch - #R: Real Time - #T: Bolus - ValueSet: http://terminology.hl7.org/ValueSet/v3-ResponseMode|2018-08-12 + references: 0, strongest binding: - #D: deferred - #I: immediate - #Q: queue - ValueSet: http://terminology.hl7.org/ValueSet/v3-RoleClass|2018-08-12 + references: 0, strongest binding: - #_RoleClassAssociative: RoleClassAssociative - #_RoleClassMutualRelationship: RoleClassMutualRelationship - #_RoleClassOntological: RoleClassOntological @@ -47426,6 +48577,7 @@ Value Sets: 1193 (unversioned) - #USED: used entity - #WRTE: warranted product - ValueSet: http://terminology.hl7.org/ValueSet/v3-RoleClassAgent|2014-03-26 + references: 0, strongest binding: - #AGNT: agent - #ASSIGNED: assigned entity - #COMPAR: commissioning party @@ -47435,6 +48587,7 @@ Value Sets: 1193 (unversioned) - #NOK: next of kin - #SGNOFF: signing authority or officer - ValueSet: http://terminology.hl7.org/ValueSet/v3-RoleClassAssociative|2014-03-26 + references: 0, strongest binding: - #_RoleClassMutualRelationship: RoleClassMutualRelationship - #_RoleClassPassive: RoleClassPassive - #_RoleClassRelationshipFormal: RoleClassRelationshipFormal @@ -47504,9 +48657,11 @@ Value Sets: 1193 (unversioned) - #USED: used entity - #WRTE: warranted product - ValueSet: http://terminology.hl7.org/ValueSet/v3-RoleClassManufacturedProduct|2014-03-26 + references: 0, strongest binding: - #MANU: manufactured product - #THER: therapeutic agent - ValueSet: http://terminology.hl7.org/ValueSet/v3-RoleClassMutualRelationship|2014-03-26 + references: 0, strongest binding: - #_RoleClassRelationshipFormal: RoleClassRelationshipFormal - #AFFL: affiliate - #AGNT: agent @@ -47548,6 +48703,7 @@ Value Sets: 1193 (unversioned) - #SUBSCR: subscriber - #UNDWRT: underwriter - ValueSet: http://terminology.hl7.org/ValueSet/v3-RoleClassPartitive|2014-03-26 + references: 0, strongest binding: - #ACTI: active ingredient - #ACTIB: active ingredient - basis of strength - #ACTIM: active ingredient - moiety is basis of strength @@ -47576,6 +48732,7 @@ Value Sets: 1193 (unversioned) - #STBL: stabilizer - #STOR: stored entity - ValueSet: http://terminology.hl7.org/ValueSet/v3-RoleClassPassive|2014-03-26 + references: 0, strongest binding: - #ACCESS: access - #ADJY: adjacency - #ADMM: Administerable Material @@ -47603,6 +48760,7 @@ Value Sets: 1193 (unversioned) - #USED: used entity - #WRTE: warranted product - ValueSet: http://terminology.hl7.org/ValueSet/v3-RoleClassRelationshipFormal|2014-03-26 + references: 0, strongest binding: - #AFFL: affiliate - #AGNT: agent - #ASSIGNED: assigned entity @@ -47640,6 +48798,7 @@ Value Sets: 1193 (unversioned) - #SUBSCR: subscriber - #UNDWRT: underwriter - ValueSet: http://terminology.hl7.org/ValueSet/v3-RoleClassRoot|2014-03-26 + references: 0, strongest binding: - #_RoleClassAssociative: RoleClassAssociative - #_RoleClassMutualRelationship: RoleClassMutualRelationship - #_RoleClassOntological: RoleClassOntological @@ -47747,14 +48906,17 @@ Value Sets: 1193 (unversioned) - #USED: used entity - #WRTE: warranted product - ValueSet: http://terminology.hl7.org/ValueSet/v3-RoleClassServiceDeliveryLocation|2014-03-26 + references: 0, strongest binding: - #DSDLOC: dedicated service delivery location - #ISDLOC: incidental service delivery location - #SDLOC: service delivery location - ValueSet: http://terminology.hl7.org/ValueSet/v3-RoleClassSpecimen|2014-03-26 + references: 0, strongest binding: - #ALQT: aliquot - #ISLT: isolate - #SPEC: specimen - ValueSet: http://terminology.hl7.org/ValueSet/v3-RoleCode|2018-08-12 + references: 0, strongest binding: - #_AdministrativeContactRoleType: AdministrativeContactRoleType - #_AffiliationRoleType: AffiliationRoleType - #_AgentRoleType: AgentRoleType @@ -48151,6 +49313,7 @@ Value Sets: 1193 (unversioned) - #WO: Working - #WORK: work site - ValueSet: http://terminology.hl7.org/ValueSet/v3-RoleLinkStatus|2018-08-12 + references: 0, strongest binding: - #ACTIVE: active - #CANCELLED: cancelled - #COMPLETED: completed @@ -48158,6 +49321,7 @@ Value Sets: 1193 (unversioned) - #NULLIFIED: nullified - #PENDING: pending - ValueSet: http://terminology.hl7.org/ValueSet/v3-RoleLinkType|2018-08-12 + references: 0, strongest binding: - #BACKUP: is backup for - #CONT: has contact - #DIRAUTH: has direct authority over @@ -48167,6 +49331,7 @@ Value Sets: 1193 (unversioned) - #REL: related - #REPL: replaces - ValueSet: http://terminology.hl7.org/ValueSet/v3-RoleStatus|2018-08-12 + references: 0, strongest binding: - #active: active - #cancelled: cancelled - #normal: normal @@ -48175,6 +49340,7 @@ Value Sets: 1193 (unversioned) - #suspended: suspended - #terminated: terminated - ValueSet: http://terminology.hl7.org/ValueSet/v3-RouteOfAdministration|2018-08-12 + references: 0, strongest binding: - #_AmnioticFluidSacRoute: AmnioticFluidSacRoute - #_BiliaryRoute: BiliaryRoute - #_BodySurfaceRoute: BodySurfaceRoute @@ -48562,6 +49728,7 @@ Value Sets: 1193 (unversioned) - #VENT: Inhalation, ventilator - #VENTMASK: Inhalation, ventimask - ValueSet: http://terminology.hl7.org/ValueSet/v3-SecurityIntegrityObservationValue|2014-03-26 + references: 0, strongest binding: - #_SECALTINTOBV: alteration integrity - #_SECDATINTOBV: data integrity - #_SECINTCONOBV: integrity confidence @@ -48602,6 +49769,7 @@ Value Sets: 1193 (unversioned) - #UNRELIABLE: unreliable - #VERSIONED: versioned - ValueSet: http://terminology.hl7.org/ValueSet/v3-SecurityPolicy|2014-03-26 + references: 0, strongest binding: - #ACCESSCONSCHEME: access control scheme - #ANONY: anonymize - #AOD: accounting of disclosure @@ -48654,10 +49822,12 @@ Value Sets: 1193 (unversioned) - #SecurityPolicy: security policy - #UPGRDLABEL: upgrade security label - ValueSet: http://terminology.hl7.org/ValueSet/v3-Sequencing|2018-08-12 + references: 0, strongest binding: - #A: Ascending - #D: Descending - #N: None - ValueSet: http://terminology.hl7.org/ValueSet/v3-ServiceDeliveryLocationRoleType|2014-03-26 + references: 2, strongest binding: Extensible - #_DedicatedClinicalLocationRoleType: DedicatedClinicalLocationRoleType - #_DedicatedNonClinicalLocationRoleType: DedicatedNonClinicalLocationRoleType - #_DedicatedServiceDeliveryLocationRoleType: DedicatedServiceDeliveryLocationRoleType @@ -48786,6 +49956,7 @@ Value Sets: 1193 (unversioned) - #WND: Wound clinic - #WORK: work site - ValueSet: http://terminology.hl7.org/ValueSet/v3-SetOperator|2018-08-12 + references: 0, strongest binding: - #_ValueSetOperator: ValueSetOperator - #A: intersect - #E: exclude @@ -48793,10 +49964,12 @@ Value Sets: 1193 (unversioned) - #I: include - #P: periodic hull - ValueSet: http://terminology.hl7.org/ValueSet/v3-SeverityObservation|2014-03-26 + references: 0, strongest binding: - #H: High - #L: Low - #M: Moderate - ValueSet: http://terminology.hl7.org/ValueSet/v3-SpecimenType|2018-08-12 + references: 0, strongest binding: - #_SpecimenEntityType: SpecimenEntityType - #ABS: Abcess - #AMN: Amniotic fluid @@ -48922,6 +50095,7 @@ Value Sets: 1193 (unversioned) - #WNDD: Wound drainage - #WNDE: Wound exudate - ValueSet: http://terminology.hl7.org/ValueSet/v3-styleType|2018-08-12 + references: 0, strongest binding: - #_FontStyle: Font Style - #_ListStyle: List Style - #_OrderedListStyle: Ordered List Style @@ -48944,6 +50118,7 @@ Value Sets: 1193 (unversioned) - #Toprule: Top Rule - #underline: Underline Font - ValueSet: http://terminology.hl7.org/ValueSet/v3-substanceAdminSubstitution|2018-08-12 + references: 0, strongest binding: - #_ActSubstanceAdminSubstitutionCode: ActSubstanceAdminSubstitutionCode - #BC: brand composition - #E: equivalent @@ -48955,33 +50130,39 @@ Value Sets: 1193 (unversioned) - #TE: therapeutic alternative - #TG: therapeutic generic - ValueSet: http://terminology.hl7.org/ValueSet/v3-SubstanceAdminSubstitutionReason|2014-03-26 + references: 2, strongest binding: Example - #CT: continuing therapy - #FP: formulary policy - #OS: out of stock - #RR: regulatory requirement - ValueSet: http://terminology.hl7.org/ValueSet/v3-SubstitutionCondition|2018-08-12 + references: 0, strongest binding: - #_Conditional: Conditional - #CONFIRM: Confirm first - #NOSUB: No substitution - #NOTIFY: Notify first - #UNCOND: Unconditional - ValueSet: http://terminology.hl7.org/ValueSet/v3-TableCellHorizontalAlign|2018-08-12 + references: 0, strongest binding: - #center: center - #char: char - #justify: justify - #left: left - #right: right - ValueSet: http://terminology.hl7.org/ValueSet/v3-TableCellScope|2018-08-12 + references: 0, strongest binding: - #col: col - #colgroup: colgroup - #row: row - #rowgroup: rowgroup - ValueSet: http://terminology.hl7.org/ValueSet/v3-TableCellVerticalAlign|2018-08-12 + references: 0, strongest binding: - #baseline: baseline - #bottom: bottom - #middle: middle - #top: top - ValueSet: http://terminology.hl7.org/ValueSet/v3-TableFrame|2018-08-12 + references: 0, strongest binding: - #above: above - #below: below - #border: border @@ -48992,12 +50173,14 @@ Value Sets: 1193 (unversioned) - #void: void - #vsides: vsides - ValueSet: http://terminology.hl7.org/ValueSet/v3-TableRules|2018-08-12 + references: 0, strongest binding: - #all: all - #cols: cols - #groups: groups - #none: none - #rows: rows - ValueSet: http://terminology.hl7.org/ValueSet/v3-TargetAwareness|2018-08-12 + references: 0, strongest binding: - #D: denying - #F: full awareness - #I: incapable @@ -49005,12 +50188,14 @@ Value Sets: 1193 (unversioned) - #P: partial - #U: uninformed - ValueSet: http://terminology.hl7.org/ValueSet/v3-TelecommunicationCapabilities|2018-08-12 + references: 0, strongest binding: - #data: data - #fax: fax - #sms: sms - #tty: text - #voice: voice - ValueSet: http://terminology.hl7.org/ValueSet/v3-TimingEvent|2018-08-12 + references: 0, strongest binding: - #AC: AC - #ACD: ACD - #ACM: ACM @@ -49030,8 +50215,10 @@ Value Sets: 1193 (unversioned) - #PCV: PCV - #WAKE: WAKE - ValueSet: http://terminology.hl7.org/ValueSet/v3-TransmissionRelationshipTypeCode|2018-08-12 + references: 0, strongest binding: - #SEQL: sequence - ValueSet: http://terminology.hl7.org/ValueSet/v3-TribalEntityUS|2018-08-12 + references: 0, strongest binding: - #_NativeEntityAlaska: NativeEntityAlaska - #_NativeEntityContiguous: NativeEntityContiguous - #1: Absentee-Shawnee Tribe of Indians of Oklahoma @@ -49601,6 +50788,7 @@ Value Sets: 1193 (unversioned) - #98: Guidiville Rancheria of California - #99: Hannahville Indian Community of Wisconsin Potawato - ValueSet: http://terminology.hl7.org/ValueSet/v3-triggerEventID|2018-08-12 + references: 0, strongest binding: - #POLB_TE004000UV: Result Status - #POLB_TE004001UV: Result Confirm - #POLB_TE004002UV: Result Reject @@ -49613,6 +50801,7 @@ Value Sets: 1193 (unversioned) - #POLB_TE004301UV: Result Abort - #POLB_TE004500UV: Result Nullify - ValueSet: http://terminology.hl7.org/ValueSet/v3-VaccineManufacturer|2018-08-12 + references: 0, strongest binding: - #AB: Abbott Laboratories (includes Ross Products Division) - #AD: Adams Laboratories - #ALP: Alpha Therapeutic Corporation @@ -49654,12 +50843,14 @@ Value Sets: 1193 (unversioned) - #WA: Wyeth-Ayerst [Inactive - use WAL] - #WAL: Wyeth-Ayerst (includes Wyeth-Lederle Vaccines and Pediatrics, Wyeth Laboratories, Lederle Laboratories, and Praxis Biologics) - ValueSet: http://terminology.hl7.org/ValueSet/v3-VerificationMethod|2014-03-26 + references: 0, strongest binding: - #_VerificationMethod: VerificationMethod - #VDOC: document verification - #VREG: registry verification - #VTOKEN: electronic token verification - #VVOICE: voice-based verification - ValueSet: http://terminology.hl7.org/ValueSet/v3-WorkClassificationODH|2018-08-12 + references: 0, strongest binding: - #PWAF: Paid work, Armed Forces - #PWFG: Paid work, national government, not armed forces - #PWLG: Paid work, local government, not armed forces @@ -49670,6 +50861,7 @@ Value Sets: 1193 (unversioned) - #UWSE: Unpaid work, self-employed - #VW: Voluntary work - ValueSet: http://terminology.hl7.org/ValueSet/v3-WorkScheduleODH|2018-08-12 + references: 0, strongest binding: - #DS: daytime shift - #EMS: early morning shift - #ES: evening shift @@ -49680,6 +50872,7 @@ Value Sets: 1193 (unversioned) - #VLS: very long shift - #VS: variable shift - ValueSet: http://terminology.hl7.org/ValueSet/v3-xBasicConfidentialityKind|2014-03-26 + references: 0, strongest binding: - #N: normal - #R: restricted - #V: very restricted diff --git a/generated/Info_R5.txt b/generated/Info_R5.txt index a3462f150..b550b4869 100644 --- a/generated/Info_R5.txt +++ b/generated/Info_R5.txt @@ -18778,15 +18778,18 @@ All Interaction Parameters: 2 ?_pretty=string (_pretty) Value Sets: 1230 (unversioned) - ValueSet: http://hl7.org/fhir/ValueSet/abstract-types|4.4.0 + references: 0, strongest binding: - #Any: Any - #Type: Type - ValueSet: http://hl7.org/fhir/ValueSet/account-status|4.4.0 + references: 1, strongest binding: Required - #active: Active - #entered-in-error: Entered in error - #inactive: Inactive - #on-hold: On Hold - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/account-type|4.4.0 + references: 1, strongest binding: Example - #_ActAccountCode: ActAccountCode - #ACCTRECEIVABLE: account receivable - #AE: American Express @@ -18798,25 +18801,31 @@ Value Sets: 1230 (unversioned) - #PBILLACCT: patient billing account - #V: Visa - ValueSet: http://hl7.org/fhir/ValueSet/action-cardinality-behavior|4.4.0 + references: 2, strongest binding: Required - #multiple: Multiple - #single: Single - ValueSet: http://hl7.org/fhir/ValueSet/action-condition-kind|4.4.0 + references: 2, strongest binding: Required - #applicability: Applicability - #start: Start - #stop: Stop - ValueSet: http://hl7.org/fhir/ValueSet/action-grouping-behavior|4.4.0 + references: 2, strongest binding: Required - #logical-group: Logical Group - #sentence-group: Sentence Group - #visual-group: Visual Group - ValueSet: http://hl7.org/fhir/ValueSet/action-participant-type|4.4.0 + references: 2, strongest binding: Required - #device: Device - #patient: Patient - #practitioner: Practitioner - #related-person: Related Person - ValueSet: http://hl7.org/fhir/ValueSet/action-precheck-behavior|4.4.0 + references: 2, strongest binding: Required - #no: No - #yes: Yes - ValueSet: http://hl7.org/fhir/ValueSet/action-relationship-type|4.4.0 + references: 2, strongest binding: Required - #after: After - #after-end: After End - #after-start: After Start @@ -18827,10 +18836,12 @@ Value Sets: 1230 (unversioned) - #concurrent-with-end: Concurrent With End - #concurrent-with-start: Concurrent With Start - ValueSet: http://hl7.org/fhir/ValueSet/action-required-behavior|4.4.0 + references: 2, strongest binding: Required - #could: Could - #must: Must - #must-unless-documented: Must Unless Documented - ValueSet: http://hl7.org/fhir/ValueSet/action-selection-behavior|4.4.0 + references: 2, strongest binding: Required - #all: All - #all-or-none: All Or None - #any: Any @@ -18838,15 +18849,18 @@ Value Sets: 1230 (unversioned) - #exactly-one: Exactly One - #one-or-more: One Or More - ValueSet: http://hl7.org/fhir/ValueSet/action-type|4.4.0 + references: 2, strongest binding: Extensible - #create: Create - #fire-event: Fire Event - #remove: Remove - #update: Update - ValueSet: http://hl7.org/fhir/ValueSet/activity-definition-category|4.4.0 + references: 0, strongest binding: - #assessment: Assessment - #education: Education - #treatment: Treatment - ValueSet: http://hl7.org/fhir/ValueSet/additionalmaterials|4.4.0 + references: 0, strongest binding: - #document: Document - #email: Email - #image: Image @@ -18854,16 +18868,19 @@ Value Sets: 1230 (unversioned) - #other: Other - #xray: XRay - ValueSet: http://hl7.org/fhir/ValueSet/address-type|4.4.0 + references: 1, strongest binding: Required - #both: Postal & Physical - #physical: Physical - #postal: Postal - ValueSet: http://hl7.org/fhir/ValueSet/address-use|4.4.0 + references: 1, strongest binding: Required - #billing: Billing - #home: Home - #old: Old / Incorrect - #temp: Temporary - #work: Work - ValueSet: http://hl7.org/fhir/ValueSet/adjudication|4.4.0 + references: 4, strongest binding: Example - #benefit: Benefit Amount - #copay: CoPay - #deductible: Deductible @@ -18873,20 +18890,25 @@ Value Sets: 1230 (unversioned) - #tax: Tax - #unallocdeduct: Unallocated Deductible - ValueSet: http://hl7.org/fhir/ValueSet/adjudication-error|4.4.0 + references: 2, strongest binding: Example - #a001: Missing Identifier - #a002: Missing Creation Date - ValueSet: http://hl7.org/fhir/ValueSet/adjudication-reason|4.4.0 + references: 2, strongest binding: Example - #ar001: Not covered - #ar002: Plan Limit Reached - ValueSet: http://hl7.org/fhir/ValueSet/administrative-gender|4.4.0 + references: 7, strongest binding: Required - #female: Female - #male: Male - #other: Other - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/adverse-event-actuality|4.4.0 + references: 1, strongest binding: Required - #actual: Adverse Event - #potential: Potential Adverse Event - ValueSet: http://hl7.org/fhir/ValueSet/adverse-event-category|4.4.0 + references: 1, strongest binding: Example - #device: Device - #hospital-aquired-infection: Hospital Acquired Infection - #medication-mishap: Medication Mishap @@ -18895,6 +18917,7 @@ Value Sets: 1230 (unversioned) - #wrong-body-site: Wrong Body Site - #wrong-patient: Wrong Patient - ValueSet: http://hl7.org/fhir/ValueSet/adverse-event-causality-assess|4.4.0 + references: 1, strongest binding: Example - #certain: Certain - #conditional-classified: Conditional/Classified - #possible: Possible @@ -18902,29 +18925,36 @@ Value Sets: 1230 (unversioned) - #unassessable-unclassifiable: Unassessable/Unclassifiable - #unlikely: Unlikely - ValueSet: http://hl7.org/fhir/ValueSet/adverse-event-causality-method|4.4.0 + references: 1, strongest binding: Example - #bayesian: Bayesian - #checklist: Checklist - #probability-scale: Probability Scale - ValueSet: http://hl7.org/fhir/ValueSet/adverse-event-participant-function|4.4.0 + references: 1, strongest binding: Example - #AUT: author (originator) - #INF: informant - #PART: Participation - #WIT: witness - ValueSet: http://hl7.org/fhir/ValueSet/adverse-event-seriousness|4.4.0 + references: 1, strongest binding: Example - #non-serious: Non-serious - #serious: Serious - ValueSet: http://hl7.org/fhir/ValueSet/adverse-event-severity|4.4.0 + references: 0, strongest binding: - #mild: Mild - #moderate: Moderate - #severe: Severe - ValueSet: http://hl7.org/fhir/ValueSet/adverse-event-status|4.4.0 + references: 1, strongest binding: Required - #completed: Completed - #entered-in-error: Entered in Error - #in-progress: In Progress - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/adverse-event-type|4.4.0 + references: 1, strongest binding: Example - #1912002: - ValueSet: http://hl7.org/fhir/ValueSet/age-units|4.4.0 + references: 0, strongest binding: - #a: years - #d: days - #h: hours @@ -18932,31 +18962,38 @@ Value Sets: 1230 (unversioned) - #mo: months - #wk: weeks - ValueSet: http://hl7.org/fhir/ValueSet/allerg-intol-substance-exp-risk|4.4.0 + references: 0, strongest binding: - #known-reaction-risk: Known Reaction Risk - #no-known-reaction-risk: No Known Reaction Risk - ValueSet: http://hl7.org/fhir/ValueSet/allergy-intolerance-category|4.4.0 + references: 1, strongest binding: Required - #biologic: Biologic - #environment: Environment - #food: Food - #medication: Medication - ValueSet: http://hl7.org/fhir/ValueSet/allergyintolerance-clinical|4.4.0 + references: 1, strongest binding: Required - #active: Active - #inactive: Inactive - #resolved: Resolved - ValueSet: http://hl7.org/fhir/ValueSet/allergy-intolerance-criticality|4.4.0 + references: 1, strongest binding: Required - #high: High Risk - #low: Low Risk - #unable-to-assess: Unable to Assess Risk - ValueSet: http://hl7.org/fhir/ValueSet/allergy-intolerance-type|4.4.0 + references: 1, strongest binding: Required - #allergy: Allergy - #intolerance: Intolerance - ValueSet: http://hl7.org/fhir/ValueSet/allergyintolerance-verification|4.4.0 + references: 1, strongest binding: Required - #confirmed: Confirmed - #entered-in-error: Entered in Error - #presumed: Presumed - #refuted: Refuted - #unconfirmed: Unconfirmed - ValueSet: http://hl7.org/fhir/ValueSet/all-types|4.4.0 + references: 3, strongest binding: Required - #Account: Account - #ActivityDefinition: ActivityDefinition - #Address: Address @@ -19180,9 +19217,11 @@ Value Sets: 1230 (unversioned) - #VisionPrescription: VisionPrescription - #xhtml: XHTML - ValueSet: http://hl7.org/fhir/ValueSet/alternative-title-type|4.4.0 + references: 2, strongest binding: Extensible - #autotranslated: Different language derived from autotranslation - #language: Different language - ValueSet: http://hl7.org/fhir/ValueSet/animal-breeds|4.4.0 + references: 0, strongest binding: - #1006005: Percheron horse (organism) - #10261003: Belgium landrace pig (organism) - #10643004: Arucana chicken (organism) @@ -21554,10 +21593,12 @@ Value Sets: 1230 (unversioned) - #9277006: Polled Hereford (organism) - #944009: Brown Welsh cattle breed (organism) - ValueSet: http://hl7.org/fhir/ValueSet/animal-genderstatus|4.4.0 + references: 0, strongest binding: - #intact: Intact - #neutered: Neutered - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/animal-species|4.4.0 + references: 1, strongest binding: Example - #125097000: goat - #125099002: sheep - #132950000: mule @@ -21569,6 +21610,7 @@ Value Sets: 1230 (unversioned) - #47290002: chicken - #85626006: donkey - ValueSet: http://hl7.org/fhir/ValueSet/appointment-cancellation-reason|4.4.0 + references: 1, strongest binding: Example - #maint: Equipment Maintenance/Repair - #meds-inc: Prep/Med Incomplete - #oth-cms: Other: CMS Therapy Cap Service Not Authorized @@ -21602,6 +21644,7 @@ Value Sets: 1230 (unversioned) - #prov-onc: Provider: Oncology Treatment Plan Changes - #prov-pers: Provider: Personal - ValueSet: http://hl7.org/fhir/ValueSet/appointmentstatus|4.4.0 + references: 1, strongest binding: Required - #arrived: Arrived - #booked: Booked - #cancelled: Cancelled @@ -21613,6 +21656,7 @@ Value Sets: 1230 (unversioned) - #proposed: Proposed - #waitlist: Waitlisted - ValueSet: http://hl7.org/fhir/ValueSet/article-url-type|4.4.0 + references: 1, strongest binding: Extensible - #abstract: abstract - #abstract-cited: abstract-cited - #full-text: full-text @@ -21620,9 +21664,11 @@ Value Sets: 1230 (unversioned) - #PDF: PDF - #PDF-cited: PDF-cited - ValueSet: http://hl7.org/fhir/ValueSet/assert-direction-codes|4.4.0 + references: 1, strongest binding: Required - #request: request - #response: response - ValueSet: http://hl7.org/fhir/ValueSet/assert-operator-codes|4.4.0 + references: 1, strongest binding: Required - #contains: contains - #empty: empty - #equals: equals @@ -21635,6 +21681,7 @@ Value Sets: 1230 (unversioned) - #notEquals: notEquals - #notIn: notIn - ValueSet: http://hl7.org/fhir/ValueSet/assert-response-code-types|4.4.0 + references: 1, strongest binding: Required - #bad: bad - #conflict: conflict - #created: created @@ -21648,8 +21695,10 @@ Value Sets: 1230 (unversioned) - #preconditionFailed: preconditionFailed - #unprocessable: unprocessable - ValueSet: http://hl7.org/fhir/ValueSet/asset-availability|4.4.0 + references: 1, strongest binding: Example - #lease: Lease - ValueSet: http://hl7.org/fhir/ValueSet/attribute-estimate-type|4.4.0 + references: 2, strongest binding: Extensible - #0000037: Standard error of the mean - #0000419: Cochran's Q statistic - #0000420: I-squared @@ -21662,6 +21711,7 @@ Value Sets: 1230 (unversioned) - #C53322: Standard deviation - #C53324: Confidence interval - ValueSet: http://hl7.org/fhir/ValueSet/audit-entity-type|4.4.0 + references: 1, strongest binding: Extensible - #1: Person - #2: System Object - #3: Organization @@ -21816,17 +21866,20 @@ Value Sets: 1230 (unversioned) - #VerificationResult: VerificationResult - #VisionPrescription: VisionPrescription - ValueSet: http://hl7.org/fhir/ValueSet/audit-event-action|4.4.0 + references: 1, strongest binding: Required - #C: Create - #D: Delete - #E: Execute - #R: Read/View/Print - #U: Update - ValueSet: http://hl7.org/fhir/ValueSet/audit-event-outcome|4.4.0 + references: 1, strongest binding: Extensible - #0: Success - #12: Major failure - #4: Minor failure - #8: Serious failure - ValueSet: http://hl7.org/fhir/ValueSet/audit-event-severity|4.4.0 + references: 1, strongest binding: Required - #Alert: Alert - #Critical: Critical - #Debug: Debug @@ -21836,6 +21889,7 @@ Value Sets: 1230 (unversioned) - #Notice: Notice - #Warning: Warning - ValueSet: http://hl7.org/fhir/ValueSet/audit-event-sub-type|4.4.0 + references: 1, strongest binding: Extensible - #110120: Application Start - #110121: Application Stop - #110122: Login @@ -21877,6 +21931,7 @@ Value Sets: 1230 (unversioned) - #update: update - #vread: vread - ValueSet: http://hl7.org/fhir/ValueSet/audit-event-type|4.4.0 + references: 1, strongest binding: Extensible - #110100: Application Activity - #110101: Audit Log Used - #110102: Begin Transferring DICOM Instances @@ -21921,6 +21976,7 @@ Value Sets: 1230 (unversioned) - #unmerge: Unmerge Record Lifecycle Event - #verify: Verify Record Lifecycle Event - ValueSet: http://hl7.org/fhir/ValueSet/audit-source-type|4.4.0 + references: 1, strongest binding: Extensible - #1: User Device - #2: Data Interface - #3: Web Server @@ -21931,11 +21987,13 @@ Value Sets: 1230 (unversioned) - #8: Network Router - #9: Other - ValueSet: http://hl7.org/fhir/ValueSet/author-string-source|4.4.0 + references: 1, strongest binding: Extensible - #articleCopy: Copied from article - #citationManager: Reported by citation manager - #custom: custom format - #publisherData: Publisher provided - ValueSet: http://hl7.org/fhir/ValueSet/basic-resource-type|4.4.0 + references: 1, strongest binding: Example - #account: Account - #adjudicat: Invoice Adjudication - #adminact: Administrative Activity @@ -21953,13 +22011,16 @@ Value Sets: 1230 (unversioned) - #study: Study - #transfer: Transfer - ValueSet: http://hl7.org/fhir/ValueSet/benefit-network|4.4.0 + references: 2, strongest binding: Example - #in: In Network - #out: Out of Network - ValueSet: http://hl7.org/fhir/ValueSet/benefit-term|4.4.0 + references: 2, strongest binding: Example - #annual: Annual - #day: Day - #lifetime: Lifetime - ValueSet: http://hl7.org/fhir/ValueSet/benefit-type|4.4.0 + references: 2, strongest binding: Example - #benefit: Benefit - #copay: Copayment per service - #copay-maximum: Copayment maximum per service @@ -21973,18 +22034,22 @@ Value Sets: 1230 (unversioned) - #vision-glasses: Vision Glasses - #visit: Visit - ValueSet: http://hl7.org/fhir/ValueSet/benefit-unit|4.4.0 + references: 2, strongest binding: Example - #family: Family - #individual: Individual - ValueSet: http://hl7.org/fhir/ValueSet/binding-strength|4.4.0 + references: 2, strongest binding: Required - #example: Example - #extensible: Extensible - #preferred: Preferred - #required: Required - ValueSet: http://hl7.org/fhir/ValueSet/bodysite-laterality|4.4.0 + references: 1, strongest binding: Example - #419161000: Unilateral left - #419465000: Unilateral right - #51440002: Bilateral - ValueSet: http://hl7.org/fhir/ValueSet/bodystructure-relative-location|4.4.0 + references: 1, strongest binding: Example - #255551008: Posterior - #255561001: Medial - #261089000: Inferior @@ -21998,6 +22063,7 @@ Value Sets: 1230 (unversioned) - #49370004: Lateral - #51440002: Bilateral - ValueSet: http://hl7.org/fhir/ValueSet/bundle-type|4.4.0 + references: 1, strongest binding: Required - #batch: Batch - #batch-response: Batch Response - #collection: Collection @@ -22009,6 +22075,7 @@ Value Sets: 1230 (unversioned) - #transaction: Transaction - #transaction-response: Transaction Response - ValueSet: http://hl7.org/fhir/ValueSet/c80-doc-typecodes|4.4.0 + references: 1, strongest binding: Preferred - #11206-0: 18-Hydroxydeoxycorticosterone [Mass/volume] in Serum or Plasma - #11485-0: Anesthesia records - #11486-8: Chemotherapy records @@ -28411,6 +28478,7 @@ Value Sets: 1230 (unversioned) - #74480-5: Clinical document Subject matter domain from LOINC Document Ontology - #8653-8: Hospital Discharge instructions - ValueSet: http://hl7.org/fhir/ValueSet/c80-facilitycodes|4.4.0 + references: 1, strongest binding: Example - #10206005: Hospital outpatient dental clinic - #10531005: Free-standing ambulatory surgery facility - #11424001: Ambulance-based care @@ -28491,6 +28559,7 @@ Value Sets: 1230 (unversioned) - #90484001: Hospital outpatient general surgery clinic - #91154008: Free-standing birthing center - ValueSet: http://hl7.org/fhir/ValueSet/c80-practice-codes|4.4.0 + references: 7, strongest binding: Preferred - #394539006: Pediatric surgery - #394576009: Surgical-Accident & emergency - #394577000: Anesthetics @@ -28607,10 +28676,12 @@ Value Sets: 1230 (unversioned) - #421661004: Blood banking and transfusion medicine - #422191005: Ophthalmic surgery - ValueSet: http://hl7.org/fhir/ValueSet/capability-statement-kind|4.4.0 + references: 3, strongest binding: Required - #capability: Capability - #instance: Instance - #requirements: Requirements - ValueSet: http://hl7.org/fhir/ValueSet/care-plan-activity-kind|4.4.0 + references: 1, strongest binding: Required - #Appointment: Appointment - #CommunicationRequest: CommunicationRequest - #DeviceRequest: DeviceRequest @@ -28620,6 +28691,7 @@ Value Sets: 1230 (unversioned) - #Task: Task - #VisionPrescription: VisionPrescription - ValueSet: http://hl7.org/fhir/ValueSet/care-plan-activity-status|4.4.0 + references: 1, strongest binding: Required - #cancelled: Cancelled - #completed: Completed - #entered-in-error: Entered in Error @@ -28630,12 +28702,14 @@ Value Sets: 1230 (unversioned) - #stopped: Stopped - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/care-plan-intent|4.4.0 + references: 1, strongest binding: Required - #directive: Directive - #option: Option - #order: Order - #plan: Plan - #proposal: Proposal - ValueSet: http://hl7.org/fhir/ValueSet/care-team-category|4.4.0 + references: 1, strongest binding: Example - #LA27975-4: Event-focused care team - #LA27976-2: Encounter-focused care team - #LA27977-0: Episode of care-focused care team @@ -28645,21 +28719,25 @@ Value Sets: 1230 (unversioned) - #LA28866-4: Home & Community Based Services (HCBS)-focused care team - #LA28867-2: Public health-focused care team - ValueSet: http://hl7.org/fhir/ValueSet/care-team-status|4.4.0 + references: 1, strongest binding: Required - #active: Active - #entered-in-error: Entered in Error - #inactive: Inactive - #proposed: Proposed - #suspended: Suspended - ValueSet: http://hl7.org/fhir/ValueSet/catalogentry-relation-type|4.4.0 + references: 1, strongest binding: Required - #excludes: Excludes - #includes: Includes - #is-replaced-by: Is replaced by - #triggers: Triggers - ValueSet: http://hl7.org/fhir/ValueSet/catalogentry-status|4.4.0 + references: 1, strongest binding: Required - #active: Active - #draft: Draft - #retired: Retired - ValueSet: http://hl7.org/fhir/ValueSet/catalogentry-type|4.4.0 + references: 1, strongest binding: Required - #ActivityDefinition: ActivityDefinition - #DeviceDefinition: DeviceDefinition - #HealthcareService: HealthcareService @@ -28674,19 +28752,23 @@ Value Sets: 1230 (unversioned) - #SpecimenDefinition: SpecimenDefinition - #Substance: Substance - ValueSet: http://hl7.org/fhir/ValueSet/catalogType|4.4.0 + references: 1, strongest binding: Example - #device: Device Catalog - #medication: Medication Catalog - #protocol: Protocol List - ValueSet: http://hl7.org/fhir/ValueSet/cdshooks-indicator|4.4.0 + references: 0, strongest binding: - #critical: The response is critical and indicates the workflow should not be allowed to proceed - #info: The response is informational - #warning: The response is a warning - ValueSet: http://hl7.org/fhir/ValueSet/certainty-rating|4.4.0 + references: 1, strongest binding: Extensible - #high: High quality - #low: Low quality - #moderate: Moderate quality - #very-low: Very low quality - ValueSet: http://hl7.org/fhir/ValueSet/certainty-subcomponent-rating|4.4.0 + references: 1, strongest binding: Extensible - #absent: absent - #critical-concern: critical concern - #downcode1: reduce rating: -1 @@ -28699,6 +28781,7 @@ Value Sets: 1230 (unversioned) - #upcode1: increase rating: +1 - #upcode2: increase rating: +2 - ValueSet: http://hl7.org/fhir/ValueSet/certainty-subcomponent-type|4.4.0 + references: 1, strongest binding: Extensible - #DoseResponseGradient: Dose response gradient - #Imprecision: Imprecision - #Inconsistency: Inconsistency @@ -28708,15 +28791,19 @@ Value Sets: 1230 (unversioned) - #PublicationBias: Publication bias - #RiskOfBias: Risk of bias - ValueSet: http://hl7.org/fhir/ValueSet/characteristic-combination|4.4.0 + references: 1, strongest binding: Required - #intersection: intersection - #union: union - ValueSet: http://hl7.org/fhir/ValueSet/characteristic-method|4.4.0 + references: 1, strongest binding: Example - #Default: Default - ValueSet: http://hl7.org/fhir/ValueSet/chargeitem-billingcodes|4.4.0 + references: 2, strongest binding: Example - #1100: Unvorhergesehene Inanspruchnahme - #1210: Notfallpauschale - #1320: Grundpauschale - ValueSet: http://hl7.org/fhir/ValueSet/chargeitem-status|4.4.0 + references: 1, strongest binding: Required - #aborted: Aborted - #billable: Billable - #billed: Billed @@ -28725,9 +28812,11 @@ Value Sets: 1230 (unversioned) - #planned: Planned - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/choice-list-orientation|4.4.0 + references: 1, strongest binding: Required - #horizontal: Horizontal - #vertical: Vertical - ValueSet: http://hl7.org/fhir/ValueSet/chromosome-human|4.4.0 + references: 1, strongest binding: Example - #1: chromosome 1 - #10: chromosome 10 - #11: chromosome 11 @@ -28753,6 +28842,7 @@ Value Sets: 1230 (unversioned) - #X: chromosome X - #Y: chromosome Y - ValueSet: http://hl7.org/fhir/ValueSet/citation-classifier|4.4.0 + references: 1, strongest binding: Extensible - #audio: Audio file - #dataset: Dataset or database - #FHIR-resource: FHIR Resource @@ -28762,6 +28852,7 @@ Value Sets: 1230 (unversioned) - #protocol: Protocol - #video: Video file - ValueSet: http://hl7.org/fhir/ValueSet/citation-contribution|4.4.0 + references: 1, strongest binding: Extensible - #conceptualization: Conceptualization - #dataCuration: Data curation - #formalAnalysis: Formal analysis @@ -28777,19 +28868,23 @@ Value Sets: 1230 (unversioned) - #writingOriginalDraft: Writing - original draft - #writingReviewEditing: Writing - review & editing - ValueSet: http://hl7.org/fhir/ValueSet/citation-variant-type|4.4.0 + references: 1, strongest binding: Extensible - #subpart: subpart - #supplement: Supplement or Appendix - #supplement-subpart: Supplement or Appendix Subpart - #version: version - ValueSet: http://hl7.org/fhir/ValueSet/claim-careteamrole|4.4.0 + references: 2, strongest binding: Example - #assist: Assisting Provider - #other: Other - #primary: Primary provider - #supervisor: Supervising Provider - ValueSet: http://hl7.org/fhir/ValueSet/claim-exception|4.4.0 + references: 2, strongest binding: Example - #disabled: Disabled - #student: Student (Fulltime) - ValueSet: http://hl7.org/fhir/ValueSet/claim-informationcategory|4.4.0 + references: 2, strongest binding: Example - #attachment: Attachment - #discharge: Discharge - #employmentimpacted: EmploymentImpacted @@ -28805,6 +28900,7 @@ Value Sets: 1230 (unversioned) - #prosthesis: Prosthesis - #related: Related Services - ValueSet: http://hl7.org/fhir/ValueSet/claim-modifiers|4.4.0 + references: 14, strongest binding: Example - #a: Repair of prior service or installation - #b: Temporary service or installation - #c: TMJ treatment @@ -28812,19 +28908,23 @@ Value Sets: 1230 (unversioned) - #rooh: Rush or Outside of office hours - #x: None - ValueSet: http://hl7.org/fhir/ValueSet/claim-subtype|4.4.0 + references: 3, strongest binding: Example - #emergency: Emergency Claim - #ortho: Orthodontic Claim - ValueSet: http://hl7.org/fhir/ValueSet/claim-type|4.4.0 + references: 3, strongest binding: Extensible - #institutional: Institutional - #oral: Oral - #pharmacy: Pharmacy - #professional: Professional - #vision: Vision - ValueSet: http://hl7.org/fhir/ValueSet/claim-use|4.4.0 + references: 3, strongest binding: Required - #claim: Claim - #preauthorization: Preauthorization - #predetermination: Predetermination - ValueSet: http://hl7.org/fhir/ValueSet/clinicalimpression-status-reason|4.4.0 + references: 1, strongest binding: Example - #105480006: - #397709008: - #398090008: @@ -28837,39 +28937,47 @@ Value Sets: 1230 (unversioned) - #704458005: - #719500002: - ValueSet: http://hl7.org/fhir/ValueSet/clinical-use-issue-type|4.4.0 + references: 1, strongest binding: Required - #contraindication: Contraindication - #indication: Indication - #interaction: Interaction - #undesirable-effect: Undesirable Effect - #warning: Warning - ValueSet: http://hl7.org/fhir/ValueSet/code-search-support|4.4.0 + references: 1, strongest binding: Required - #all: Implicit Codes - #explicit: Explicit Codes - ValueSet: http://hl7.org/fhir/ValueSet/codesystem-altcode-kind|4.4.0 + references: 0, strongest binding: - #alternate: Alternate Code - #case-insensitive: Case Insensitive - #case-sensitive: Case Sensitive - #deprecated: Deprecated - #expression: Expression - ValueSet: http://hl7.org/fhir/ValueSet/codesystem-content-mode|4.4.0 + references: 1, strongest binding: Required - #complete: Complete - #example: Example - #fragment: Fragment - #not-present: Not Present - #supplement: Supplement - ValueSet: http://hl7.org/fhir/ValueSet/codesystem-hierarchy-meaning|4.4.0 + references: 1, strongest binding: Required - #classified-with: Classified With - #grouped-by: Grouped By - #is-a: Is-A - #part-of: Part Of - ValueSet: http://hl7.org/fhir/ValueSet/common-tags|4.4.0 + references: 1, strongest binding: Example - #actionable: Actionable - ValueSet: http://hl7.org/fhir/ValueSet/communication-category|4.4.0 + references: 2, strongest binding: Example - #alert: Alert - #instruction: Instruction - #notification: Notification - #reminder: Reminder - ValueSet: http://hl7.org/fhir/ValueSet/communication-not-done-reason|4.4.0 + references: 1, strongest binding: Example - #family-objection: Family Objection - #invalid-phone-number: Invalid Phone Number - #patient-objection: Patient Objection @@ -28877,6 +28985,7 @@ Value Sets: 1230 (unversioned) - #system-error: System Error - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/communication-request-status-reason|4.4.0 + references: 1, strongest binding: Example - #105480006: - #281323002: - #310376006: @@ -28896,6 +29005,7 @@ Value Sets: 1230 (unversioned) - #719500002: - #737038009: - ValueSet: http://hl7.org/fhir/ValueSet/communication-topic|4.4.0 + references: 1, strongest binding: Example - #appointment-reminder: Appointment Reminder - #phone-consult: Phone Consult - #prescription-refill-request: Prescription Refill Request @@ -28903,33 +29013,39 @@ Value Sets: 1230 (unversioned) - #report-labs: Report Labs - #summary-report: Summary Report - ValueSet: http://hl7.org/fhir/ValueSet/compartment-type|4.4.0 + references: 2, strongest binding: Required - #Device: Device - #Encounter: Encounter - #Patient: Patient - #Practitioner: Practitioner - #RelatedPerson: RelatedPerson - ValueSet: http://hl7.org/fhir/ValueSet/composite-measure-scoring|4.4.0 + references: 1, strongest binding: Extensible - #all-or-nothing: All-or-nothing - #linear: Linear - #opportunity: Opportunity - #weighted: Weighted - ValueSet: http://hl7.org/fhir/ValueSet/composition-altcode-kind|4.4.0 + references: 0, strongest binding: - #alternate: Alternate Code - #case-insensitive: Case Insensitive - #case-sensitive: Case Sensitive - #deprecated: Deprecated - #expression: Expression - ValueSet: http://hl7.org/fhir/ValueSet/composition-attestation-mode|4.4.0 + references: 1, strongest binding: Required - #legal: Legal - #official: Official - #personal: Personal - #professional: Professional - ValueSet: http://hl7.org/fhir/ValueSet/composition-status|4.4.0 + references: 2, strongest binding: Required - #amended: Amended - #entered-in-error: Entered in Error - #final: Final - #preliminary: Preliminary - ValueSet: http://hl7.org/fhir/ValueSet/concept-map-equivalence|4.4.0 + references: 1, strongest binding: Required - #disjoint: Disjoint - #equal: Equal - #equivalent: Equivalent @@ -28941,16 +29057,19 @@ Value Sets: 1230 (unversioned) - #unmatched: Unmatched - #wider: Wider - ValueSet: http://hl7.org/fhir/ValueSet/concept-map-relationship|4.4.0 + references: 1, strongest binding: Required - #equivalent: Equivalent - #not-related-to: Not Related To - #related-to: Related To - #source-is-broader-than-target: Source Is Broader Than Target - #source-is-narrower-than-target: Source Is Narrower Than Target - ValueSet: http://hl7.org/fhir/ValueSet/conceptmap-unmapped-mode|4.4.0 + references: 1, strongest binding: Required - #fixed: Fixed Code - #other-map: Other Map - #provided: Provided Code - ValueSet: http://hl7.org/fhir/ValueSet/concept-property-type|4.4.0 + references: 1, strongest binding: Required - #boolean: boolean - #code: code (internal reference) - #Coding: Coding (external reference) @@ -28959,23 +29078,28 @@ Value Sets: 1230 (unversioned) - #integer: integer - #string: string - ValueSet: http://hl7.org/fhir/ValueSet/concept-subsumption-outcome|4.4.0 + references: 0, strongest binding: - #equivalent: Equivalent - #not-subsumed: Not-Subsumed - #subsumed-by: Subsumed-By - #subsumes: Subsumes - ValueSet: http://hl7.org/fhir/ValueSet/conditional-delete-status|4.4.0 + references: 1, strongest binding: Required - #multiple: Multiple Deletes Supported - #not-supported: Not Supported - #single: Single Deletes Supported - ValueSet: http://hl7.org/fhir/ValueSet/conditional-read-status|4.4.0 + references: 1, strongest binding: Required - #full-support: Full Support - #modified-since: If-Modified-Since - #not-match: If-None-Match - #not-supported: Not Supported - ValueSet: http://hl7.org/fhir/ValueSet/condition-category|4.4.0 + references: 1, strongest binding: Extensible - #encounter-diagnosis: Encounter Diagnosis - #problem-list-item: Problem List Item - ValueSet: http://hl7.org/fhir/ValueSet/condition-clinical|4.4.0 + references: 1, strongest binding: Required - #active: Active - #inactive: Inactive - #recurrence: Recurrence @@ -28983,26 +29107,33 @@ Value Sets: 1230 (unversioned) - #remission: Remission - #resolved: Resolved - ValueSet: http://hl7.org/fhir/ValueSet/condition-code|4.4.0 + references: 11, strongest binding: Example - #160245001: No current problems or disability - ValueSet: http://hl7.org/fhir/ValueSet/condition-precondition-type|4.4.0 + references: 1, strongest binding: Required - #sensitive: Sensitive - #specific: Specific - ValueSet: http://hl7.org/fhir/ValueSet/condition-questionnaire-purpose|4.4.0 + references: 1, strongest binding: Required - #diff-diagnosis: Diff Diagnosis - #outcome: Outcome - #preadmit: Pre-admit - ValueSet: http://hl7.org/fhir/ValueSet/condition-severity|4.4.0 + references: 3, strongest binding: Preferred - #24484000: - #255604002: - #6736007: - ValueSet: http://hl7.org/fhir/ValueSet/condition-stage-type|4.4.0 + references: 1, strongest binding: Example - #260998006: Clinical staging (qualifier value) - #261023001: Pathological staging (qualifier value) - ValueSet: http://hl7.org/fhir/ValueSet/condition-state|4.4.0 + references: 0, strongest binding: - #active: Active - #inactive: Inactive - #resolved: Resolved - ValueSet: http://hl7.org/fhir/ValueSet/condition-ver-status|4.4.0 + references: 1, strongest binding: Required - #confirmed: Confirmed - #differential: Differential - #entered-in-error: Entered in Error @@ -29010,17 +29141,20 @@ Value Sets: 1230 (unversioned) - #refuted: Refuted - #unconfirmed: Unconfirmed - ValueSet: http://hl7.org/fhir/ValueSet/conformance-expectation|4.4.0 + references: 1, strongest binding: Required - #MAY: MAY - #SHALL: SHALL - #SHOULD: SHOULD - #SHOULD-NOT: SHOULD-NOT - ValueSet: http://hl7.org/fhir/ValueSet/consent-action|4.4.0 + references: 1, strongest binding: Example - #access: Access - #collect: Collect - #correct: Access and Correct - #disclose: Disclose - #use: Use - ValueSet: http://hl7.org/fhir/ValueSet/consent-category|4.4.0 + references: 1, strongest binding: Extensible - #57016-8: Privacy policy acknowledgement Document - #57017-6: Privacy policy Organization Document - #59284-0: Patient Consent @@ -29035,6 +29169,7 @@ Value Sets: 1230 (unversioned) - #rsdid: De-identified Information Access - #rsreid: Re-identifiable Information Access - ValueSet: http://hl7.org/fhir/ValueSet/consent-content-class|4.4.0 + references: 2, strongest binding: Extensible - #Account: Account - #ActivityDefinition: ActivityDefinition - #AdministrableProductDefinition: AdministrableProductDefinition @@ -29187,17 +29322,20 @@ Value Sets: 1230 (unversioned) - #VerificationResult: VerificationResult - #VisionPrescription: VisionPrescription - ValueSet: http://hl7.org/fhir/ValueSet/consent-data-meaning|4.4.0 + references: 1, strongest binding: Required - #authoredby: AuthoredBy - #dependents: Dependents - #instance: Instance - #related: Related - ValueSet: http://hl7.org/fhir/ValueSet/consent-performer|4.4.0 + references: 0, strongest binding: - #consenter: Consenter - #delegatee: Delegatee - #delegator: Delegator - #grantee: Grantee - #grantor: Grantor - ValueSet: http://hl7.org/fhir/ValueSet/consent-policy|4.4.0 + references: 1, strongest binding: Extensible - #at-elga: AT ELGA Opt-in Consent - #cric: Common Rule Informed Consent - #dch-3927: Michigan behavior and mental health consent @@ -29225,30 +29363,37 @@ Value Sets: 1230 (unversioned) - #va-10-5345a-mhv: VA Form 10-5345a-MHV - #va-21-4142: VA Form 21-4142 - ValueSet: http://hl7.org/fhir/ValueSet/consent-provision-type|4.4.0 + references: 1, strongest binding: Required - #deny: Deny - #permit: Permit - ValueSet: http://hl7.org/fhir/ValueSet/consent-scope|4.4.0 + references: 1, strongest binding: Extensible - #patient-privacy: Privacy Consent - #research: Research - #treatment: Treatment - ValueSet: http://hl7.org/fhir/ValueSet/consent-state-codes|4.4.0 + references: 1, strongest binding: Required - #active: Active - #draft: Pending - #entered-in-error: Entered in Error - #inactive: Inactive - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/consent-verification|4.4.0 + references: 1, strongest binding: Extensible - #family: FamilyVerified - #validation: Validation - ValueSet: http://hl7.org/fhir/ValueSet/consistency-type|4.4.0 + references: 1, strongest binding: Example - #439021000124105: nectar thick liquid - #439031000124108: honey thick liquid - #439041000124103: spoon thick liquid - #439081000124109: thin liquid - ValueSet: http://hl7.org/fhir/ValueSet/constraint-severity|4.4.0 + references: 1, strongest binding: Required - #error: Error - #warning: Warning - ValueSet: http://hl7.org/fhir/ValueSet/contactentity-type|4.4.0 + references: 2, strongest binding: Extensible - #ADMIN: Administrative - #BILL: Billing - #HR: Human Resource @@ -29256,6 +29401,7 @@ Value Sets: 1230 (unversioned) - #PAYOR: Payor - #PRESS: Press - ValueSet: http://hl7.org/fhir/ValueSet/contact-point-system|4.4.0 + references: 1, strongest binding: Required - #email: Email - #fax: Fax - #other: Other @@ -29264,12 +29410,14 @@ Value Sets: 1230 (unversioned) - #sms: SMS - #url: URL - ValueSet: http://hl7.org/fhir/ValueSet/contact-point-use|4.4.0 + references: 1, strongest binding: Required - #home: Home - #mobile: Mobile - #old: Old - #temp: Temp - #work: Work - ValueSet: http://hl7.org/fhir/ValueSet/container-cap|4.4.0 + references: 1, strongest binding: Example - #black: black cap - #brown: brown cap - #dark-yellow: dark yellow cap @@ -29283,44 +29431,59 @@ Value Sets: 1230 (unversioned) - #white: white cap - #yellow: yellow cap - ValueSet: http://hl7.org/fhir/ValueSet/container-material|4.4.0 + references: 1, strongest binding: Example - #32039001: glass - #425620007: metal - #61088005: plastic - ValueSet: http://hl7.org/fhir/ValueSet/contract-action|4.4.0 + references: 1, strongest binding: Example - #action-a: Action A - #action-b: Action B - ValueSet: http://hl7.org/fhir/ValueSet/contract-actionstatus|4.4.0 + references: 1, strongest binding: Example - #complete: Complete - ValueSet: http://hl7.org/fhir/ValueSet/contract-actorrole|4.4.0 + references: 1, strongest binding: Example - #patient: Patient - #practitioner: Practitioner - ValueSet: http://hl7.org/fhir/ValueSet/contract-assetcontext|4.4.0 + references: 1, strongest binding: Example - #custodian: Custodian - ValueSet: http://hl7.org/fhir/ValueSet/contract-assetscope|4.4.0 + references: 1, strongest binding: Example - #thing: Thing - ValueSet: http://hl7.org/fhir/ValueSet/contract-assetsubtype|4.4.0 + references: 1, strongest binding: Example - #participation: Participation - ValueSet: http://hl7.org/fhir/ValueSet/contract-assettype|4.4.0 + references: 1, strongest binding: Example - #participation: Participation - ValueSet: http://hl7.org/fhir/ValueSet/contract-content-derivative|4.4.0 + references: 1, strongest binding: Example - #registration: Content Registration - #retrieval: Content Retrieval - #shareable: Shareable Content - #statement: Content Statement - ValueSet: http://hl7.org/fhir/ValueSet/contract-data-meaning|4.4.0 + references: 0, strongest binding: - #authoredby: AuthoredBy - #dependents: Dependents - #instance: Instance - #related: Related - ValueSet: http://hl7.org/fhir/ValueSet/contract-decision-mode|4.4.0 + references: 1, strongest binding: Example - #policy: Policy - ValueSet: http://hl7.org/fhir/ValueSet/contract-definition-subtype|4.4.0 + references: 1, strongest binding: Example - #temp: Temporary Value - ValueSet: http://hl7.org/fhir/ValueSet/contract-definition-type|4.4.0 + references: 1, strongest binding: Example - #temp: Temporary Value - ValueSet: http://hl7.org/fhir/ValueSet/contract-expiration-type|4.4.0 + references: 1, strongest binding: Example - #breach: Breach - ValueSet: http://hl7.org/fhir/ValueSet/contract-legalstate|4.4.0 + references: 1, strongest binding: Extensible - #amended: Amended - #appended: Appended - #cancelled: Cancelled @@ -29337,8 +29500,10 @@ Value Sets: 1230 (unversioned) - #revoked: Revoked - #terminated: Terminated - ValueSet: http://hl7.org/fhir/ValueSet/contract-party-role|4.4.0 + references: 1, strongest binding: Example - #flunky: FLunky - ValueSet: http://hl7.org/fhir/ValueSet/contract-publicationstatus|4.4.0 + references: 1, strongest binding: Required - #amended: Amended - #appended: Appended - #cancelled: Cancelled @@ -29355,14 +29520,19 @@ Value Sets: 1230 (unversioned) - #revoked: Revoked - #terminated: Terminated - ValueSet: http://hl7.org/fhir/ValueSet/contract-scope|4.4.0 + references: 1, strongest binding: Example - #policy: Policy - ValueSet: http://hl7.org/fhir/ValueSet/contract-security-category|4.4.0 + references: 1, strongest binding: Example - #policy: Policy - ValueSet: http://hl7.org/fhir/ValueSet/contract-security-classification|4.4.0 + references: 1, strongest binding: Example - #policy: Policy - ValueSet: http://hl7.org/fhir/ValueSet/contract-security-control|4.4.0 + references: 1, strongest binding: Example - #policy: Policy - ValueSet: http://hl7.org/fhir/ValueSet/contract-signer-type|4.4.0 + references: 1, strongest binding: Preferred - #AFFL: Affiliate - #AGNT: Agent - #AMENDER: Amender @@ -29412,6 +29582,7 @@ Value Sets: 1230 (unversioned) - #VERF: Verifier - #WIT: Witness - ValueSet: http://hl7.org/fhir/ValueSet/contract-status|4.4.0 + references: 1, strongest binding: Required - #amended: Amended - #appended: Appended - #cancelled: Cancelled @@ -29428,31 +29599,38 @@ Value Sets: 1230 (unversioned) - #revoked: Revoked - #terminated: Terminated - ValueSet: http://hl7.org/fhir/ValueSet/contract-subtype|4.4.0 + references: 1, strongest binding: Example - #disclosure-ca: Disclosure-CA - #disclosure-us: Disclosure-US - ValueSet: http://hl7.org/fhir/ValueSet/contract-term-subtype|4.4.0 + references: 1, strongest binding: Example - #condition: Condition - #innominate: Innominate - #warranty: Warranty - ValueSet: http://hl7.org/fhir/ValueSet/contract-term-type|4.4.0 + references: 2, strongest binding: Example - #statutory: Statutory - #subject-to: Subject To - ValueSet: http://hl7.org/fhir/ValueSet/contract-type|4.4.0 + references: 1, strongest binding: Example - #consent: Consent - #disclosure: Disclosure - #healthinsurance: Health Insurance - #privacy: Privacy - #supply: Supply Contract - ValueSet: http://hl7.org/fhir/ValueSet/contributor-type|4.4.0 + references: 1, strongest binding: Required - #author: Author - #editor: Editor - #endorser: Endorser - #reviewer: Reviewer - ValueSet: http://hl7.org/fhir/ValueSet/copy-number-event|4.4.0 + references: 0, strongest binding: - #amp: amplification - #del: deletion - #lof: loss of function - ValueSet: http://hl7.org/fhir/ValueSet/coverage-class|4.4.0 + references: 1, strongest binding: Extensible - #class: Class - #group: Group - #plan: Plan @@ -29465,6 +29643,7 @@ Value Sets: 1230 (unversioned) - #subgroup: SubGroup - #subplan: SubPlan - ValueSet: http://hl7.org/fhir/ValueSet/coverage-copay-type|4.4.0 + references: 1, strongest binding: Extensible - #copay: Copay Amount - #copaypct: Copay Percentage - #deductible: Deductible @@ -29476,6 +29655,7 @@ Value Sets: 1230 (unversioned) - #televisit: Tele-visit - #urgentcare: Urgent Care - ValueSet: http://hl7.org/fhir/ValueSet/coverageeligibilityresponse-ex-auth-support|4.4.0 + references: 1, strongest binding: Example - #accidentreport: Accident Report - #diagnosticimageorder: Diagnostic Image Order - #diagnosticimagereport: Diagnostic Image Report @@ -29485,13 +29665,17 @@ Value Sets: 1230 (unversioned) - #picture: Picture - #professionalreport: Professional Report - ValueSet: http://hl7.org/fhir/ValueSet/coverage-financial-exception|4.4.0 + references: 1, strongest binding: Example - #foster: Foster child - #retired: Retired - ValueSet: http://hl7.org/fhir/ValueSet/coverage-selfpay|4.4.0 + references: 0, strongest binding: - #pay: Pay - ValueSet: http://hl7.org/fhir/ValueSet/coverage-type|4.4.0 + references: 1, strongest binding: Preferred - #pay: Pay - ValueSet: http://hl7.org/fhir/ValueSet/data-absent-reason|4.4.0 + references: 3, strongest binding: Required - #asked-declined: Asked But Declined - #asked-unknown: Asked But Unknown - #as-text: As Text @@ -29508,6 +29692,7 @@ Value Sets: 1230 (unversioned) - #unknown: Unknown - #unsupported: Unsupported - ValueSet: http://hl7.org/fhir/ValueSet/data-types|4.4.0 + references: 1, strongest binding: Required - #Address: Address - #Age: Age - #Annotation: Annotation @@ -29580,6 +29765,7 @@ Value Sets: 1230 (unversioned) - #uuid: uuid - #xhtml: XHTML - ValueSet: http://hl7.org/fhir/ValueSet/days-of-week|4.4.0 + references: 4, strongest binding: Required - #fri: Friday - #mon: Monday - #sat: Saturday @@ -29588,6 +29774,7 @@ Value Sets: 1230 (unversioned) - #tue: Tuesday - #wed: Wednesday - ValueSet: http://hl7.org/fhir/ValueSet/defined-types|4.4.0 + references: 4, strongest binding: Required - #Account: Account - #ActivityDefinition: ActivityDefinition - #Address: Address @@ -29809,6 +29996,7 @@ Value Sets: 1230 (unversioned) - #VisionPrescription: VisionPrescription - #xhtml: XHTML - ValueSet: http://hl7.org/fhir/ValueSet/definition-resource-types|4.4.0 + references: 0, strongest binding: - #ActivityDefinition: ActivityDefinition - #EventDefinition: EventDefinition - #Measure: Measure @@ -29816,15 +30004,18 @@ Value Sets: 1230 (unversioned) - #PlanDefinition: PlanDefinition - #Questionnaire: Questionnaire - ValueSet: http://hl7.org/fhir/ValueSet/definition-status|4.4.0 + references: 0, strongest binding: - #active: Active - #draft: Draft - #unknown: Unknown - #withdrawn: Withdrawn - ValueSet: http://hl7.org/fhir/ValueSet/definition-topic|4.4.0 + references: 6, strongest binding: Example - #assessment: Assessment - #education: Education - #treatment: Treatment - ValueSet: http://hl7.org/fhir/ValueSet/definition-use|4.4.0 + references: 1, strongest binding: Extensible - #archetype: Domain Analysis Model - #custom-resource: Custom Resource - #dam: Domain Analysis Model @@ -29832,9 +30023,11 @@ Value Sets: 1230 (unversioned) - #template: Template - #wire-format: Wire Format - ValueSet: http://hl7.org/fhir/ValueSet/designation-use|4.4.0 + references: 2, strongest binding: Extensible - #900000000000003001: - #900000000000013009: - ValueSet: http://hl7.org/fhir/ValueSet/detectedissue-category|4.4.0 + references: 1, strongest binding: Preferred - #_ActSuppliedItemDetectedIssueCode: ActSuppliedItemDetectedIssueCode - #_AdministrationDetectedIssueCode: AdministrationDetectedIssueCode - #_AppropriatenessDetectedIssueCode: AppropriatenessDetectedIssueCode @@ -29869,6 +30062,7 @@ Value Sets: 1230 (unversioned) - #TOOSOON: Refill Too Soon Alert - #TPROD: Therapeutic Product Alert - ValueSet: http://hl7.org/fhir/ValueSet/detectedissue-mitigation-action|4.4.0 + references: 1, strongest binding: Preferred - #_ActAdministrativeDetectedIssueManagementCode: ActAdministrativeDetectedIssueManagementCode - #_ActDetectedIssueManagementCode: ActDetectedIssueManagementCode - #_AuthorizationIssueManagementCode: Authorization Issue Management Code @@ -29897,10 +30091,12 @@ Value Sets: 1230 (unversioned) - #9: Instituted Ongoing Monitoring Program - #EMAUTH: emergency authorization override - ValueSet: http://hl7.org/fhir/ValueSet/detectedissue-severity|4.4.0 + references: 1, strongest binding: Required - #high: High - #low: Low - #moderate: Moderate - ValueSet: http://hl7.org/fhir/ValueSet/device-component-property|4.4.0 + references: 0, strongest binding: - #532353: MDC_REG_CERT_DATA_CONTINUA_CERT_DEV_LIST - #532354: MDC_REG_CERT_DATA_CONTINUA_REG_STATUS - #532355: MDC_REG_CERT_DATA_CONTINUA_PHG_CERT_LIST @@ -29912,11 +30108,13 @@ Value Sets: 1230 (unversioned) - #68224: MDC_TIME_RES_REL_HI_RES - #68226: MDC_TIME_RES_BO - ValueSet: http://hl7.org/fhir/ValueSet/device-definition-status|4.4.0 + references: 0, strongest binding: - #active: Active - #entered-in-error: Entered in Error - #inactive: Inactive - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/device-nametype|4.4.0 + references: 2, strongest binding: Required - #manufacturer-name: Manufacturer name - #model-name: Model name - #other: other @@ -29924,6 +30122,7 @@ Value Sets: 1230 (unversioned) - #udi-label-name: UDI Label name - #user-friendly-name: User Friendly name - ValueSet: http://hl7.org/fhir/ValueSet/device-safety|4.4.0 + references: 1, strongest binding: Example - #C101673: Labeled as Containing Natural Rubber Latex - #C106038: Not Made with Natural Rubber Latex - #C106045: Magnetic Resonance Safe @@ -29931,6 +30130,7 @@ Value Sets: 1230 (unversioned) - #C106047: Magnetic Resonance Unsafe - #C113844: Labeling does not Contain MRI Safety Information - ValueSet: http://hl7.org/fhir/ValueSet/device-statement-status|4.4.0 + references: 1, strongest binding: Required - #active: Active - #completed: Completed - #entered-in-error: Entered in Error @@ -29938,11 +30138,13 @@ Value Sets: 1230 (unversioned) - #on-hold: On Hold - #stopped: Stopped - ValueSet: http://hl7.org/fhir/ValueSet/device-status|4.4.0 + references: 1, strongest binding: Required - #active: Active - #entered-in-error: Entered in Error - #inactive: Inactive - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/device-status-reason|4.4.0 + references: 1, strongest binding: Extensible - #hw-discon: Hardware Disconnected - #not-ready: Not Ready - #off: Off @@ -29952,6 +30154,7 @@ Value Sets: 1230 (unversioned) - #standby: Standby - #transduc-discon: Transducer Disconnected - ValueSet: http://hl7.org/fhir/ValueSet/diagnosis-role|4.4.0 + references: 2, strongest binding: Preferred - #AD: Admission diagnosis - #billing: Billing - #CC: Chief complaint @@ -29960,6 +30163,7 @@ Value Sets: 1230 (unversioned) - #post-op: post-op diagnosis - #pre-op: pre-op diagnosis - ValueSet: http://hl7.org/fhir/ValueSet/diagnostic-report-status|4.4.0 + references: 1, strongest binding: Required - #amended: Amended - #appended: Appended - #cancelled: Cancelled @@ -29971,6 +30175,7 @@ Value Sets: 1230 (unversioned) - #registered: Registered - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/diagnostic-service-sections|4.4.0 + references: 2, strongest binding: Example - #AU: Audiology - #BG: Blood Gases - #BLB: Blood Bank @@ -30013,6 +30218,7 @@ Value Sets: 1230 (unversioned) - #VUS: Vascular Ultrasound - #XRC: Cineradiograph - ValueSet: http://hl7.org/fhir/ValueSet/dicm-405-mediatype|4.4.0 + references: 1, strongest binding: Extensible - #110010: Film - #110030: USB Disk Emulation - #110031: Email @@ -30024,23 +30230,27 @@ Value Sets: 1230 (unversioned) - #110037: URI - #110038: Paper Document - ValueSet: http://hl7.org/fhir/ValueSet/directness|4.4.0 + references: 1, strongest binding: Extensible - #exact: Exact match - #high: High quality match - #low: Low quality match - #moderate: Moderate quality match - ValueSet: http://hl7.org/fhir/ValueSet/discriminator-type|4.4.0 + references: 1, strongest binding: Required - #exists: Exists - #pattern: Pattern - #profile: Profile - #type: Type - #value: Value - ValueSet: http://hl7.org/fhir/ValueSet/distance-units|4.4.0 + references: 0, strongest binding: - #km: kilometers - #m: meters - #mm: millimeters - #nm: nanometers - #um: micrometers - ValueSet: http://hl7.org/fhir/ValueSet/doc-section-codes|4.4.0 + references: 1, strongest binding: Example - #10154-3: - #10157-6: - #10160-0: @@ -30097,6 +30307,7 @@ Value Sets: 1230 (unversioned) - #8653-8: - #8716-3: - ValueSet: http://hl7.org/fhir/ValueSet/document-classcodes|4.4.0 + references: 2, strongest binding: Example - #11369-6: History of Immunization - #11485-0: Anesthesia records - #11486-8: Chemotherapy records @@ -30148,21 +30359,26 @@ Value Sets: 1230 (unversioned) - #video: Video - #WORKFLOW_DEFINITION: Workflow Definitions - ValueSet: http://hl7.org/fhir/ValueSet/document-mode|4.4.0 + references: 1, strongest binding: Required - #consumer: Consumer - #producer: Producer - ValueSet: http://hl7.org/fhir/ValueSet/document-reference-status|4.4.0 + references: 2, strongest binding: Required - #current: Current - #entered-in-error: Entered in Error - #superseded: Superseded - ValueSet: http://hl7.org/fhir/ValueSet/document-relationship-type|4.4.0 + references: 2, strongest binding: Required - #appends: Appends - #replaces: Replaces - #signs: Signs - #transforms: Transforms - ValueSet: http://hl7.org/fhir/ValueSet/dose-rate-type|4.4.0 + references: 1, strongest binding: Example - #calculated: Calculated - #ordered: Ordered - ValueSet: http://hl7.org/fhir/ValueSet/duration-units|4.4.0 + references: 0, strongest binding: - #a: years - #d: days - #h: hours @@ -30172,16 +30388,19 @@ Value Sets: 1230 (unversioned) - #s: seconds - #wk: weeks - ValueSet: http://hl7.org/fhir/ValueSet/eligibilityrequest-purpose|4.4.0 + references: 1, strongest binding: Required - #auth-requirements: Coverage auth-requirements - #benefits: Coverage benefits - #discovery: Coverage Discovery - #validation: Coverage Validation - ValueSet: http://hl7.org/fhir/ValueSet/eligibilityresponse-purpose|4.4.0 + references: 1, strongest binding: Required - #auth-requirements: Coverage auth-requirements - #benefits: Coverage benefits - #discovery: Coverage Discovery - #validation: Coverage Validation - ValueSet: http://hl7.org/fhir/ValueSet/encounter-admit-source|4.4.0 + references: 1, strongest binding: Preferred - #born: Born in hospital - #emd: From accident/emergency department - #gp: General Practitioner referral @@ -30193,6 +30412,7 @@ Value Sets: 1230 (unversioned) - #psych: From psychiatric hospital - #rehab: From rehabilitation facility - ValueSet: http://hl7.org/fhir/ValueSet/encounter-diet|4.4.0 + references: 2, strongest binding: Example - #dairy-free: Dairy Free - #gluten-free: Gluten Free - #halal: Halal @@ -30201,6 +30421,7 @@ Value Sets: 1230 (unversioned) - #vegan: Vegan - #vegetarian: Vegetarian - ValueSet: http://hl7.org/fhir/ValueSet/encounter-discharge-disposition|4.4.0 + references: 1, strongest binding: Example - #aadvice: Left against advice - #alt-home: Alternative home - #exp: Expired @@ -30213,11 +30434,13 @@ Value Sets: 1230 (unversioned) - #rehab: Rehabilitation - #snf: Skilled nursing facility - ValueSet: http://hl7.org/fhir/ValueSet/encounter-location-status|4.4.0 + references: 1, strongest binding: Required - #active: Active - #completed: Completed - #planned: Planned - #reserved: Reserved - ValueSet: http://hl7.org/fhir/ValueSet/encounter-participant-type|4.4.0 + references: 3, strongest binding: Extensible - #ADM: admitter - #ATND: attender - #CALLBCK: callback contact @@ -30231,12 +30454,14 @@ Value Sets: 1230 (unversioned) - #SPRF: secondary performer - #translator: Translator - ValueSet: http://hl7.org/fhir/ValueSet/encounter-special-arrangements|4.4.0 + references: 1, strongest binding: Preferred - #add-bed: Additional bedding - #att: Attendant - #dog: Guide dog - #int: Interpreter - #wheel: Wheelchair - ValueSet: http://hl7.org/fhir/ValueSet/encounter-special-courtesy|4.4.0 + references: 1, strongest binding: Preferred - #EXT: extended courtesy - #NRM: normal courtesy - #PRF: professional courtesy @@ -30244,6 +30469,7 @@ Value Sets: 1230 (unversioned) - #UNK: unknown - #VIP: very important person - ValueSet: http://hl7.org/fhir/ValueSet/encounter-status|4.4.0 + references: 2, strongest binding: Required - #cancelled: Cancelled - #completed: Completed - #entered-in-error: Entered in Error @@ -30252,16 +30478,19 @@ Value Sets: 1230 (unversioned) - #planned: Planned - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/encounter-subject-status|4.4.0 + references: 1, strongest binding: Extensible - #arrived: Arrived - #departed: Departed - #on-leave: On Leave - #triaged: Triaged - ValueSet: http://hl7.org/fhir/ValueSet/encounter-type|4.4.0 + references: 1, strongest binding: Example - #ADMS: Annual diabetes mellitus screening - #BD/BM-clin: Bone drilling/bone marrow punction in clinic - #CCS60: Infant colon screening - 60 minutes - #OKI: Outpatient Kenacort injection - ValueSet: http://hl7.org/fhir/ValueSet/endpoint-connection-type|4.4.0 + references: 1, strongest binding: Extensible - #dicom-qido-rs: DICOM QIDO-RS - #dicom-stow-rs: DICOM STOW-RS - #dicom-wado-rs: DICOM WADO-RS @@ -30277,6 +30506,7 @@ Value Sets: 1230 (unversioned) - #ihe-xds: IHE XDS - #secure-email: Secure email - ValueSet: http://hl7.org/fhir/ValueSet/endpoint-payload-type|4.4.0 + references: 1, strongest binding: Example - #any: Any - #none: None - #urn:hl7-org:sdwg:ccda-nonXMLBody:1.1: For documents following C-CDA constraints using a non structured body. @@ -30351,6 +30581,7 @@ Value Sets: 1230 (unversioned) - #urn:ihe:rad:PDF: Radiology XDS-I PDF - #urn:ihe:rad:TEXT: Radiology XDS-I Text - ValueSet: http://hl7.org/fhir/ValueSet/endpoint-status|4.4.0 + references: 1, strongest binding: Required - #active: Active - #entered-in-error: Entered in error - #error: Error @@ -30358,6 +30589,7 @@ Value Sets: 1230 (unversioned) - #suspended: Suspended - #test: Test - ValueSet: http://hl7.org/fhir/ValueSet/enteral-route|4.4.0 + references: 1, strongest binding: Extensible - #EFT: Instillation, enteral feeding tube - #ENTINSTL: Instillation, enteral - #GJT: Instillation, gastro-jejunostomy tube @@ -30368,12 +30600,14 @@ Value Sets: 1230 (unversioned) - #OJJ: Instillation, orojejunum tube - #PO: Swallow, oral - ValueSet: http://hl7.org/fhir/ValueSet/entformula-additive|4.4.0 + references: 1, strongest binding: Example - #carbohydrate: Carbohydrate - #fiber: Fiber - #lipid: Lipid - #protein: Protein - #water: Water - ValueSet: http://hl7.org/fhir/ValueSet/entformula-type|4.4.0 + references: 1, strongest binding: Example - #441531000124102: Standard Enteral Formula - #441561000124106: Standard enteral formula with fiber - #441571000124104: High energy enteral formula with fiber @@ -30411,6 +30645,7 @@ Value Sets: 1230 (unversioned) - #443771000124106: Hydrolyzed protein formula - #444431000124104: Pediatric reduced energy formula - ValueSet: http://hl7.org/fhir/ValueSet/episode-of-care-status|4.4.0 + references: 2, strongest binding: Required - #active: Active - #cancelled: Cancelled - #entered-in-error: Entered in Error @@ -30419,15 +30654,18 @@ Value Sets: 1230 (unversioned) - #planned: Planned - #waitlist: Waitlist - ValueSet: http://hl7.org/fhir/ValueSet/episodeofcare-type|4.4.0 + references: 1, strongest binding: Example - #cacp: Community-based aged care - #da: Drug and alcohol rehabilitation - #diab: Post coordinated diabetes program - #hacc: Home and Community Care - #pac: Post Acute Care - ValueSet: http://hl7.org/fhir/ValueSet/event-capability-mode|4.4.0 + references: 1, strongest binding: Required - #receiver: Receiver - #sender: Sender - ValueSet: http://hl7.org/fhir/ValueSet/event-resource-types|4.4.0 + references: 0, strongest binding: - #ChargeItem: ChargeItem - #ClaimResponse: ClaimResponse - #ClinicalImpression: ClinicalImpression @@ -30463,6 +30701,7 @@ Value Sets: 1230 (unversioned) - #SupplyDelivery: SupplyDelivery - #Task: Task - ValueSet: http://hl7.org/fhir/ValueSet/event-status|4.4.0 + references: 4, strongest binding: Required - #completed: Completed - #entered-in-error: Entered in Error - #in-progress: In Progress @@ -30472,6 +30711,7 @@ Value Sets: 1230 (unversioned) - #stopped: Stopped - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/event-timing|4.4.0 + references: 1, strongest binding: Required - #AC: AC - #ACD: ACD - #ACM: ACM @@ -30499,6 +30739,7 @@ Value Sets: 1230 (unversioned) - #PHS: After Sleep - #WAKE: WAKE - ValueSet: http://hl7.org/fhir/ValueSet/evfocus-characteristic-code|4.4.0 + references: 1, strongest binding: Extensible - #citation: Citation - #clinical-outcomes-observed: Observed outcomes are clinical outcomes - #comparator: Comparator @@ -30507,11 +30748,13 @@ Value Sets: 1230 (unversioned) - #outcome: Outcome - #population: Population - ValueSet: http://hl7.org/fhir/ValueSet/evidence-quality|4.4.0 + references: 1, strongest binding: Example - #high: High quality - #low: Low quality - #moderate: Moderate quality - #very-low: Very low quality - ValueSet: http://hl7.org/fhir/ValueSet/evidence-report-section|4.4.0 + references: 1, strongest binding: Extensible - #AllocConcealNotStated: Allocation concealment not stated - #Control-group-alone-Evidence: Evidence Results for the control exposure only - #EarlyTrialTermination: Early trial termination @@ -30528,6 +30771,7 @@ Value Sets: 1230 (unversioned) - #NoITT: No intention-to-treat analysis - #RiskOfBias: Risk of bias assessment - ValueSet: http://hl7.org/fhir/ValueSet/example-expansion|4.4.0 + references: 0, strongest binding: - #14647-2: Cholesterol [Moles/volume] in Serum or Plasma - #2093-3: Cholesterol [Mass/volume] in Serum or Plasma - #2096-6: Cholesterol/Triglyceride [Mass Ratio] in Serum or Plasma @@ -30537,11 +30781,13 @@ Value Sets: 1230 (unversioned) - #55838-7: Cholesterol/Phospholipid [Molar ratio] in Serum or Plasma - #9342-7: Cholesterol [Percentile] - ValueSet: http://hl7.org/fhir/ValueSet/example-extensional|4.4.0 + references: 0, strongest binding: - #14647-2: Cholesterol [Moles/Volume] - #2093-3: Cholesterol [Mass/Volume] - #35200-5: Cholesterol [Mass Or Moles/Volume] - #9342-7: Cholesterol [Percentile] - ValueSet: http://hl7.org/fhir/ValueSet/example-hierarchical|4.4.0 + references: 0, strongest binding: - #conflict: - #conflict: Edit Version Conflict - #duplicate: @@ -30571,9 +30817,11 @@ Value Sets: 1230 (unversioned) - #value: - #value: Element value invalid - ValueSet: http://hl7.org/fhir/ValueSet/examplescenario-actor-type|4.4.0 + references: 1, strongest binding: Required - #entity: System - #person: Person - ValueSet: http://hl7.org/fhir/ValueSet/ex-benefitcategory|4.4.0 + references: 9, strongest binding: Example - #1: Medical Care - #14: Renal Supplies - #2: Surgical @@ -30603,15 +30851,18 @@ Value Sets: 1230 (unversioned) - #F4: Hearing Coverage - #F6: Vision Coverage - ValueSet: http://hl7.org/fhir/ValueSet/ex-diagnosis-on-admission|4.4.0 + references: 2, strongest binding: Example - #no: No - #unknown: Unknown - #yes: Yes - ValueSet: http://hl7.org/fhir/ValueSet/ex-diagnosisrelatedgroup|4.4.0 + references: 2, strongest binding: Example - #100: Normal Vaginal Delivery - #101: Appendectomy - uncomplicated - #300: Tooth abscess - #400: Head trauma - concussion - ValueSet: http://hl7.org/fhir/ValueSet/ex-diagnosistype|4.4.0 + references: 2, strongest binding: Example - #admitting: Admitting Diagnosis - #clinical: Clinical Diagnosis - #differential: Differential Diagnosis @@ -30625,51 +30876,63 @@ Value Sets: 1230 (unversioned) - #retrospective: Retrospective Diagnosis - #self: Self Diagnosis - ValueSet: http://hl7.org/fhir/ValueSet/ex-onsettype|4.4.0 + references: 0, strongest binding: - #lmn: Last Menstruation - #lxm: Last Exam - #sym: Start of Symptoms - ValueSet: http://hl7.org/fhir/ValueSet/expansion-parameter-source|4.4.0 + references: 1, strongest binding: Required - #codesystem: Code System - #input: Client Input - #server: Server Engine - ValueSet: http://hl7.org/fhir/ValueSet/expansion-processing-rule|4.4.0 + references: 1, strongest binding: Required - #all-codes: All Codes - #groups-only: Groups Only - #ungrouped: Groups + Ungrouped codes - ValueSet: http://hl7.org/fhir/ValueSet/ex-payee-resource-type|4.4.0 + references: 0, strongest binding: - #organization: Organization - #patient: Patient - #practitioner: Practitioner - #relatedperson: RelatedPerson - ValueSet: http://hl7.org/fhir/ValueSet/ex-paymenttype|4.4.0 + references: 2, strongest binding: Example - #complete: Complete - #partial: Partial - ValueSet: http://hl7.org/fhir/ValueSet/explanationofbenefit-status|4.4.0 + references: 1, strongest binding: Required - #active: Active - #cancelled: Cancelled - #draft: Draft - #entered-in-error: Entered In Error - ValueSet: http://hl7.org/fhir/ValueSet/expression-language|4.4.0 + references: 1, strongest binding: Extensible - #application/x-fhir-query: FHIR Query - #text/cql: CQL - #text/fhirpath: FHIRPath - ValueSet: http://hl7.org/fhir/ValueSet/ex-procedure-type|4.4.0 + references: 2, strongest binding: Example - #primary: Primary procedure - #secondary: Secondary procedure - ValueSet: http://hl7.org/fhir/ValueSet/ex-program-code|4.4.0 + references: 8, strongest binding: Example - #as: Child Asthma - #auscr: Autism Screening - #hd: Hemodialysis - #none: None - ValueSet: http://hl7.org/fhir/ValueSet/ex-revenue-center|4.4.0 + references: 6, strongest binding: Example - #0010: Vision Clinic - #0011: Dental Clinic - #1001: Emergency - ValueSet: http://hl7.org/fhir/ValueSet/extension-context-type|4.4.0 + references: 1, strongest binding: Required - #element: Element ID - #extension: Extension URL - #fhirpath: FHIRPath - ValueSet: http://hl7.org/fhir/ValueSet/feeding-device|4.4.0 + references: 1, strongest binding: Example - #angled-utensil: Angled utensils - #autofeeding-device: Automated feeding devices - #bigcut-nipple: Enlarged, cross-cut nipple @@ -30693,6 +30956,7 @@ Value Sets: 1230 (unversioned) - #straw: Straw - #utensil-holder: Hand wrap utensil holder - ValueSet: http://hl7.org/fhir/ValueSet/FHIR-version|4.4.0 + references: 6, strongest binding: Required - #0.0.80: 0.0.80 - #0.0.81: 0.0.81 - #0.0.82: 0.0.82 @@ -30720,6 +30984,7 @@ Value Sets: 1230 (unversioned) - #4.2.0: 4.2.0 - #4.4.0: 4.4.0 - ValueSet: http://hl7.org/fhir/ValueSet/filter-operator|4.4.0 + references: 2, strongest binding: Required - #=: Equals - #descendent-of: Descendent Of (by subsumption) - #exists: Exists @@ -30730,12 +30995,14 @@ Value Sets: 1230 (unversioned) - #not-in: Not in Set - #regex: Regular Expression - ValueSet: http://hl7.org/fhir/ValueSet/financial-taskcode|4.4.0 + references: 0, strongest binding: - #cancel: Cancel - #poll: Poll - #release: Release - #reprocess: Reprocess - #status: Status check - ValueSet: http://hl7.org/fhir/ValueSet/financial-taskinputtype|4.4.0 + references: 0, strongest binding: - #exclude: Exclude - #include: Include - #item: Item Number @@ -30744,6 +31011,7 @@ Value Sets: 1230 (unversioned) - #reference: Reference Number - #status: Status code - ValueSet: http://hl7.org/fhir/ValueSet/flag-category|4.4.0 + references: 1, strongest binding: Example - #admin: Administrative - #advance-directive: Advance Directive - #behavioral: Behavioral @@ -30755,37 +31023,46 @@ Value Sets: 1230 (unversioned) - #research: Research - #safety: Safety - ValueSet: http://hl7.org/fhir/ValueSet/flag-priority|4.4.0 + references: 1, strongest binding: Example - #PH: High priority - #PL: Low priority - #PM: Medium priority - #PN: No alarm - ValueSet: http://hl7.org/fhir/ValueSet/flag-status|4.4.0 + references: 1, strongest binding: Required - #active: Active - #entered-in-error: Entered in Error - #inactive: Inactive - ValueSet: http://hl7.org/fhir/ValueSet/fm-conditions|4.4.0 + references: 0, strongest binding: - #123987: Headache - ValueSet: http://hl7.org/fhir/ValueSet/fm-itemtype|4.4.0 + references: 0, strongest binding: - #group: Group - #product: Product - #service: Service - ValueSet: http://hl7.org/fhir/ValueSet/fm-status|4.4.0 + references: 10, strongest binding: Required - #active: Active - #cancelled: Cancelled - #draft: Draft - #entered-in-error: Entered in Error - ValueSet: http://hl7.org/fhir/ValueSet/focal-subject|4.4.0 + references: 1, strongest binding: Example - #83418008: Fetus - #DON: donor - #SPS: spouse - ValueSet: http://hl7.org/fhir/ValueSet/forms|4.4.0 + references: 4, strongest binding: Example - #1: Form #1 - #2: Form #1 - ValueSet: http://hl7.org/fhir/ValueSet/fundsreserve|4.4.0 + references: 4, strongest binding: Example - #none: None - #patient: Patient - #provider: Provider - ValueSet: http://hl7.org/fhir/ValueSet/gender-identity|4.4.0 + references: 1, strongest binding: Example - #female: female - #male: male - #non-binary: non-binary @@ -30794,10 +31071,12 @@ Value Sets: 1230 (unversioned) - #transgender-female: transgender female - #transgender-male: transgender male - ValueSet: http://hl7.org/fhir/ValueSet/goal-acceptance-status|4.4.0 + references: 0, strongest binding: - #agree: Agree - #disagree: Disagree - #pending: Pending - ValueSet: http://hl7.org/fhir/ValueSet/goal-achievement|4.4.0 + references: 1, strongest binding: Preferred - #achieved: Achieved - #improving: Improving - #in-progress: In Progress @@ -30808,27 +31087,32 @@ Value Sets: 1230 (unversioned) - #sustaining: Sustaining - #worsening: Worsening - ValueSet: http://hl7.org/fhir/ValueSet/goal-category|4.4.0 + references: 2, strongest binding: Example - #behavioral: Behavioral - #dietary: Dietary - #nursing: Nursing - #physiotherapy: Physiotherapy - #safety: Safety - ValueSet: http://hl7.org/fhir/ValueSet/goal-priority|4.4.0 + references: 2, strongest binding: Preferred - #high-priority: High Priority - #low-priority: Low Priority - #medium-priority: Medium Priority - ValueSet: http://hl7.org/fhir/ValueSet/goal-relationship-type|4.4.0 + references: 0, strongest binding: - #milestone: Milestone - #other: Other - #predecessor: Predecessor - #replacement: Replacement - #successor: Successor - ValueSet: http://hl7.org/fhir/ValueSet/goal-start-event|4.4.0 + references: 2, strongest binding: Example - #308283009: Discharge from hospital - #32485007: Admission to hospital - #386216000: Childbirth - #442137000: Completion time of procedure - ValueSet: http://hl7.org/fhir/ValueSet/goal-status|4.4.0 + references: 1, strongest binding: Required - #accepted: Accepted - #active: Active - #cancelled: Cancelled @@ -30839,6 +31123,7 @@ Value Sets: 1230 (unversioned) - #proposed: Proposed - #rejected: Rejected - ValueSet: http://hl7.org/fhir/ValueSet/goal-status-reason|4.4.0 + references: 0, strongest binding: - #financial-barrier: Financial Reason - #lack-of-social-support: Lack Of Social Support - #lack-of-transportation: Lack Of Transportation @@ -30849,14 +31134,17 @@ Value Sets: 1230 (unversioned) - #surgery: Surgery - #temp-not-attainable: Goal Not Attainable Temporarily - ValueSet: http://hl7.org/fhir/ValueSet/graph-compartment-rule|4.4.0 + references: 1, strongest binding: Required - #custom: Custom - #different: Different - #identical: Identical - #matching: Matching - ValueSet: http://hl7.org/fhir/ValueSet/graph-compartment-use|4.4.0 + references: 1, strongest binding: Required - #condition: Condition - #requirement: Requirement - ValueSet: http://hl7.org/fhir/ValueSet/group-measure|4.4.0 + references: 1, strongest binding: Required - #mean: Mean - #mean-of-mean: Mean of Study Means - #mean-of-median: Mean of Study Medins @@ -30864,6 +31152,7 @@ Value Sets: 1230 (unversioned) - #median-of-mean: Median of Study Means - #median-of-median: Median of Study Medians - ValueSet: http://hl7.org/fhir/ValueSet/group-type|4.4.0 + references: 1, strongest binding: Required - #animal: Animal - #device: Device - #medication: Medication @@ -30871,6 +31160,7 @@ Value Sets: 1230 (unversioned) - #practitioner: Practitioner - #substance: Substance - ValueSet: http://hl7.org/fhir/ValueSet/guidance-response-status|4.4.0 + references: 1, strongest binding: Required - #data-requested: Data Requested - #data-required: Data Required - #entered-in-error: Entered In Error @@ -30878,11 +31168,13 @@ Value Sets: 1230 (unversioned) - #in-progress: In Progress - #success: Success - ValueSet: http://hl7.org/fhir/ValueSet/guide-page-generation|4.4.0 + references: 1, strongest binding: Required - #generated: Generated - #html: HTML - #markdown: Markdown - #xml: XML - ValueSet: http://hl7.org/fhir/ValueSet/guide-parameter-code|4.4.0 + references: 0, strongest binding: - #apply: Apply Metadata Value - #expansion-parameter: Expansion Profile - #generate-json: Generate JSON @@ -30894,20 +31186,24 @@ Value Sets: 1230 (unversioned) - #path-tx-cache: Terminology Cache Path - #rule-broken-links: Broken Links Rule - ValueSet: http://hl7.org/fhir/ValueSet/handling-condition|4.4.0 + references: 1, strongest binding: Example - #frozen: frozen - #refrigerated: refrigerated - #room: room temperature - ValueSet: http://hl7.org/fhir/ValueSet/history-absent-reason|4.4.0 + references: 1, strongest binding: Example - #deferred: Deferred - #subject-unknown: Subject Unknown - #unable-to-obtain: Unable To Obtain - #withheld: Information Withheld - ValueSet: http://hl7.org/fhir/ValueSet/history-status|4.4.0 + references: 1, strongest binding: Required - #completed: Completed - #entered-in-error: Entered in Error - #health-unknown: Health Unknown - #partial: Partial - ValueSet: http://hl7.org/fhir/ValueSet/hl7-work-group|4.4.0 + references: 1, strongest binding: Required - #aid: Application Implementation and Design - #brr: Biomedical Research and Regulation - #cbcc: Community Based Collaborative Care @@ -30933,6 +31229,7 @@ Value Sets: 1230 (unversioned) - #us: US Realm Taskforce - #vocab: Vocabulary - ValueSet: http://hl7.org/fhir/ValueSet/http-operations|4.4.0 + references: 2, strongest binding: Required - #delete: DELETE - #get: GET - #head: HEAD @@ -30941,6 +31238,7 @@ Value Sets: 1230 (unversioned) - #post: POST - #put: PUT - ValueSet: http://hl7.org/fhir/ValueSet/http-verb|4.4.0 + references: 1, strongest binding: Required - #DELETE: DELETE - #GET: GET - #HEAD: HEAD @@ -30948,10 +31246,12 @@ Value Sets: 1230 (unversioned) - #POST: POST - #PUT: PUT - ValueSet: http://hl7.org/fhir/ValueSet/icd-10-procedures|4.4.0 + references: 2, strongest binding: Example - #123001: PROC-1 - #123002: PROC-2 - #123003: PROC-3 - ValueSet: http://hl7.org/fhir/ValueSet/identifier-type|4.4.0 + references: 2, strongest binding: Extensible - #ACSN: Accession ID - #BRN: Breed Registry Number - #DL: Driver's license number @@ -30971,26 +31271,31 @@ Value Sets: 1230 (unversioned) - #TAX: Tax ID number - #UDI: Universal Device Identifier - ValueSet: http://hl7.org/fhir/ValueSet/identifier-use|4.4.0 + references: 1, strongest binding: Required - #official: Official - #old: Old - #secondary: Secondary - #temp: Temp - #usual: Usual - ValueSet: http://hl7.org/fhir/ValueSet/identity-assuranceLevel|4.4.0 + references: 1, strongest binding: Required - #level1: Level 1 - #level2: Level 2 - #level3: Level 3 - #level4: Level 4 - ValueSet: http://hl7.org/fhir/ValueSet/imagingstudy-status|4.4.0 + references: 1, strongest binding: Required - #available: Available - #cancelled: Cancelled - #entered-in-error: Entered in Error - #registered: Registered - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/immunization-evaluation-dose-status|4.4.0 + references: 1, strongest binding: Example - #notvalid: Not valid - #valid: Valid - ValueSet: http://hl7.org/fhir/ValueSet/immunization-evaluation-dose-status-reason|4.4.0 + references: 1, strongest binding: Example - #adversestorage: Adverse Storage - #coldchainbreak: Cold Chain Break - #expired: Expired Product @@ -30998,9 +31303,11 @@ Value Sets: 1230 (unversioned) - #partialdose: Partial Dose - #recall: Manufacturer Recall - ValueSet: http://hl7.org/fhir/ValueSet/immunization-evaluation-status|4.4.0 + references: 1, strongest binding: Required - #completed: Completed - #entered-in-error: Entered in Error - ValueSet: http://hl7.org/fhir/ValueSet/immunization-evaluation-target-disease|4.4.0 + references: 1, strongest binding: Example - #14189004: - #1857005: - #27836007: @@ -31011,37 +31318,46 @@ Value Sets: 1230 (unversioned) - #709410003: - #76902006: - ValueSet: http://hl7.org/fhir/ValueSet/immunization-function|4.4.0 + references: 1, strongest binding: Extensible - #AP: Administering Provider - #OP: Ordering Provider - ValueSet: http://hl7.org/fhir/ValueSet/immunization-funding-source|4.4.0 + references: 1, strongest binding: Example - #private: Private - #public: Public - ValueSet: http://hl7.org/fhir/ValueSet/immunization-origin|4.4.0 + references: 1, strongest binding: Example - #provider: Other Provider - #recall: Parent/Guardian/Patient Recall - #record: Written Record - #school: School Record - ValueSet: http://hl7.org/fhir/ValueSet/immunization-program-eligibility|4.4.0 + references: 1, strongest binding: Example - #ineligible: Not Eligible - #uninsured: Uninsured - ValueSet: http://hl7.org/fhir/ValueSet/immunization-reason|4.4.0 + references: 1, strongest binding: Example - #281657000: - #429060002: - ValueSet: http://hl7.org/fhir/ValueSet/immunization-recommendation-date-criterion|4.4.0 + references: 1, strongest binding: Example - #30980-7: - #30981-5: - #59777-3: - #59778-1: - ValueSet: http://hl7.org/fhir/ValueSet/immunization-recommendation-reason|4.4.0 + references: 1, strongest binding: Example - #77176002: - #77386006: - ValueSet: http://hl7.org/fhir/ValueSet/immunization-recommendation-status|4.4.0 + references: 1, strongest binding: Example - #complete: Complete - #contraindicated: Contraindicated - #due: Due - #immune: Immune - #overdue: Overdue - ValueSet: http://hl7.org/fhir/ValueSet/immunization-recommendation-target-disease|4.4.0 + references: 1, strongest binding: Example - #14189004: - #1857005: - #27836007: @@ -31052,6 +31368,7 @@ Value Sets: 1230 (unversioned) - #709410003: - #76902006: - ValueSet: http://hl7.org/fhir/ValueSet/immunization-route|4.4.0 + references: 1, strongest binding: Example - #IDINJ: Injection, intradermal - #IM: Injection, intramuscular - #IVINJ: Injection, intravenous @@ -31060,13 +31377,16 @@ Value Sets: 1230 (unversioned) - #SQ: Injection, subcutaneous - #TRNSDERM: Transdermal - ValueSet: http://hl7.org/fhir/ValueSet/immunization-site|4.4.0 + references: 1, strongest binding: Example - #LA: left arm - #RA: right arm - ValueSet: http://hl7.org/fhir/ValueSet/immunization-status|4.4.0 + references: 1, strongest binding: Required - #completed: Completed - #entered-in-error: Entered in Error - #not-done: Not Done - ValueSet: http://hl7.org/fhir/ValueSet/immunization-status-reason|4.4.0 + references: 1, strongest binding: Example - #IMMUNE: immunity - #MEDPREC: medical precaution - #OSTOCK: product out of stock @@ -31076,12 +31396,14 @@ Value Sets: 1230 (unversioned) - #VACEFF: vaccine efficacy concerns - #VACSAF: vaccine safety concerns - ValueSet: http://hl7.org/fhir/ValueSet/immunization-subpotent-reason|4.4.0 + references: 1, strongest binding: Example - #adversestorage: Adverse Storage - #coldchainbreak: Cold Chain Break - #expired: Expired Product - #partialdose: Partial Dose - #recall: Manufacturer Recall - ValueSet: http://hl7.org/fhir/ValueSet/immunization-target-disease|4.4.0 + references: 1, strongest binding: Example - #14168008: - #14189004: - #16541001: @@ -31126,26 +31448,31 @@ Value Sets: 1230 (unversioned) - #80612004: - #85904008: - ValueSet: http://hl7.org/fhir/ValueSet/implantStatus|4.4.0 + references: 1, strongest binding: Required - #disabled: Disabled - #functional: Functional - #non-functional: Non-Functional - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/inactive|4.4.0 + references: 0, strongest binding: - #CRT: criterion - #EXPEC: expectation - #GOL: Goal - #OPT: option - #RSK: risk - ValueSet: http://hl7.org/fhir/ValueSet/instance-availability|4.4.0 + references: 0, strongest binding: - #NEARLINE: Nearline - #OFFLINE: Offline - #ONLINE: Online - #UNAVAILABLE: Unavailable - ValueSet: http://hl7.org/fhir/ValueSet/insuranceplan-applicability|4.4.0 + references: 1, strongest binding: Required - #in-network: In Network - #other: Other - #out-of-network: Out of Network - ValueSet: http://hl7.org/fhir/ValueSet/insuranceplan-type|4.4.0 + references: 1, strongest binding: Example - #dental: Dental - #Drug: Drug - #home: Home Health @@ -31157,16 +31484,20 @@ Value Sets: 1230 (unversioned) - #subst-ab: Substance Abuse - #vision: Vision - ValueSet: http://hl7.org/fhir/ValueSet/interaction-trigger|4.4.0 + references: 1, strongest binding: Required - #create: create - #delete: delete - #update: update - ValueSet: http://hl7.org/fhir/ValueSet/intervention|4.4.0 + references: 0, strongest binding: - #other: Other - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/investigation-sets|4.4.0 + references: 0, strongest binding: - #160237006: History/symptoms - #271336007: Examination / signs - ValueSet: http://hl7.org/fhir/ValueSet/invoice-priceComponentType|4.4.0 + references: 2, strongest binding: Required - #base: base price - #deduction: deduction - #discount: discount @@ -31174,12 +31505,14 @@ Value Sets: 1230 (unversioned) - #surcharge: surcharge - #tax: tax - ValueSet: http://hl7.org/fhir/ValueSet/invoice-status|4.4.0 + references: 1, strongest binding: Required - #balanced: balanced - #cancelled: cancelled - #draft: draft - #entered-in-error: entered in error - #issued: issued - ValueSet: http://hl7.org/fhir/ValueSet/iso3166-1-2|4.4.0 + references: 0, strongest binding: - #AD: Andorra - #AE: United Arab Emirates - #AF: Afghanistan @@ -31430,11 +31763,13 @@ Value Sets: 1230 (unversioned) - #ZM: Zambia - #ZW: Zimbabwe - ValueSet: http://hl7.org/fhir/ValueSet/issue-severity|4.4.0 + references: 1, strongest binding: Required - #error: Error - #fatal: Fatal - #information: Information - #warning: Warning - ValueSet: http://hl7.org/fhir/ValueSet/issue-type|4.4.0 + references: 1, strongest binding: Required - #business-rule: Business Rule Violation - #code-invalid: Invalid Code - #conflict: Edit Version Conflict @@ -31467,6 +31802,7 @@ Value Sets: 1230 (unversioned) - #unknown: Unknown User - #value: Element value invalid - ValueSet: http://hl7.org/fhir/ValueSet/item-type|4.4.0 + references: 1, strongest binding: Required - #attachment: Attachment - #boolean: Boolean - #choice: Choice @@ -31485,9 +31821,11 @@ Value Sets: 1230 (unversioned) - #time: Time - #url: Url - ValueSet: http://hl7.org/fhir/ValueSet/journal-issue-medium|4.4.0 + references: 2, strongest binding: Extensible - #Internet: Internet - #Print: Print - ValueSet: http://hl7.org/fhir/ValueSet/knowledge-resource-types|4.4.0 + references: 0, strongest binding: - #ActivityDefinition: ActivityDefinition - #CodeSystem: CodeSystem - #ConceptMap: ConceptMap @@ -31498,9 +31836,11 @@ Value Sets: 1230 (unversioned) - #StructureMap: StructureMap - #ValueSet: ValueSet - ValueSet: http://hl7.org/fhir/ValueSet/language-preference-type|4.4.0 + references: 1, strongest binding: Extensible - #verbal: verbal - #written: written - ValueSet: http://hl7.org/fhir/ValueSet/languages|4.4.0 + references: 15, strongest binding: Preferred - #ar: Arabic - #bn: Bengali - #cs: Czech @@ -31558,23 +31898,28 @@ Value Sets: 1230 (unversioned) - #zh-SG: Chinese (Singapore) - #zh-TW: Chinese (Taiwan) - ValueSet: http://hl7.org/fhir/ValueSet/ldlcholesterol-codes|4.4.0 + references: 1, strongest binding: Required - #13457-7: Cholesterol in LDL [Mass/volume] in Serum or Plasma by calculation - #18262-6: LDL Cholesterol (Assay) - ValueSet: http://hl7.org/fhir/ValueSet/library-type|4.4.0 + references: 1, strongest binding: Extensible - #asset-collection: Asset Collection - #logic-library: Logic Library - #model-definition: Model Definition - #module-definition: Module Definition - ValueSet: http://hl7.org/fhir/ValueSet/linkage-type|4.4.0 + references: 1, strongest binding: Required - #alternate: Alternate Record - #historical: Historical/Obsolete Record - #source: Source of Truth - ValueSet: http://hl7.org/fhir/ValueSet/link-type|4.4.0 + references: 1, strongest binding: Required - #refer: Refer - #replaced-by: Replaced-by - #replaces: Replaces - #seealso: See also - ValueSet: http://hl7.org/fhir/ValueSet/list-empty-reason|4.4.0 + references: 2, strongest binding: Preferred - #closed: Closed - #nilknown: Nil Known - #notasked: Not Asked @@ -31582,6 +31927,7 @@ Value Sets: 1230 (unversioned) - #unavailable: Unavailable - #withheld: Information Withheld - ValueSet: http://hl7.org/fhir/ValueSet/list-example-codes|4.4.0 + references: 1, strongest binding: Example - #adverserxns: Adverse Reactions - #alerts: Alerts - #allergies: Allergies @@ -31592,6 +31938,7 @@ Value Sets: 1230 (unversioned) - #waiting: Waiting List - #worklist: Worklist - ValueSet: http://hl7.org/fhir/ValueSet/list-item-flag|4.4.0 + references: 1, strongest binding: Example - #01: Unchanged - #02: Changed - #03: Cancelled @@ -31599,10 +31946,12 @@ Value Sets: 1230 (unversioned) - #05: Ceased - #06: Suspended - ValueSet: http://hl7.org/fhir/ValueSet/list-mode|4.4.0 + references: 2, strongest binding: Required - #changes: Change List - #snapshot: Snapshot List - #working: Working List - ValueSet: http://hl7.org/fhir/ValueSet/list-order|4.4.0 + references: 2, strongest binding: Preferred - #alphabetic: Sorted Alphabetically - #category: Sorted by Category - #entry-date: Sorted by Item Date @@ -31612,13 +31961,16 @@ Value Sets: 1230 (unversioned) - #system: Sorted by System - #user: Sorted by User - ValueSet: http://hl7.org/fhir/ValueSet/list-status|4.4.0 + references: 1, strongest binding: Required - #current: Current - #entered-in-error: Entered In Error - #retired: Retired - ValueSet: http://hl7.org/fhir/ValueSet/location-mode|4.4.0 + references: 1, strongest binding: Required - #instance: Instance - #kind: Kind - ValueSet: http://hl7.org/fhir/ValueSet/location-physical-type|4.4.0 + references: 2, strongest binding: Example - #area: Area - #bd: Bed - #bu: Building @@ -31634,36 +31986,44 @@ Value Sets: 1230 (unversioned) - #wa: Ward - #wi: Wing - ValueSet: http://hl7.org/fhir/ValueSet/location-status|4.4.0 + references: 1, strongest binding: Required - #active: Active - #inactive: Inactive - #suspended: Suspended - ValueSet: http://hl7.org/fhir/ValueSet/map-context-type|4.4.0 + references: 1, strongest binding: Required - #type: Type - #variable: Variable - ValueSet: http://hl7.org/fhir/ValueSet/map-group-type-mode|4.4.0 + references: 1, strongest binding: Required - #none: Not a Default - #type-and-types: Default for type + combination - #types: Default for Type Combination - ValueSet: http://hl7.org/fhir/ValueSet/map-input-mode|4.4.0 + references: 1, strongest binding: Required - #source: Source Instance - #target: Target Instance - ValueSet: http://hl7.org/fhir/ValueSet/map-model-mode|4.4.0 + references: 1, strongest binding: Required - #produced: Produced Structure Definition - #queried: Queried Structure Definition - #source: Source Structure Definition - #target: Target Structure Definition - ValueSet: http://hl7.org/fhir/ValueSet/map-source-list-mode|4.4.0 + references: 1, strongest binding: Required - #first: First - #last: Last - #not_first: All but the first - #not_last: All but the last - #only_one: Enforce only one - ValueSet: http://hl7.org/fhir/ValueSet/map-target-list-mode|4.4.0 + references: 1, strongest binding: Required - #collate: Collate - #first: First - #last: Last - #share: Share - ValueSet: http://hl7.org/fhir/ValueSet/map-transform|4.4.0 + references: 1, strongest binding: Required - #append: append - #c: c - #cast: cast @@ -31682,6 +32042,7 @@ Value Sets: 1230 (unversioned) - #truncate: truncate - #uuid: uuid - ValueSet: http://hl7.org/fhir/ValueSet/marital-status|4.4.0 + references: 1, strongest binding: Extensible - #A: Annulled - #C: Common Law - #D: Divorced @@ -31695,17 +32056,21 @@ Value Sets: 1230 (unversioned) - #UNK: unknown - #W: Widowed - ValueSet: http://hl7.org/fhir/ValueSet/match-grade|4.4.0 + references: 1, strongest binding: Required - #certain: Certain Match - #certainly-not: Certainly Not a Match - #possible: Possible Match - #probable: Probable Match - ValueSet: http://hl7.org/fhir/ValueSet/measure-data-usage|4.4.0 + references: 1, strongest binding: Extensible - #risk-adjustment-factor: Risk Adjustment Factor - #supplemental-data: Supplemental Data - ValueSet: http://hl7.org/fhir/ValueSet/measure-improvement-notation|4.4.0 + references: 2, strongest binding: Required - #decrease: Decreased score indicates improvement - #increase: Increased score indicates improvement - ValueSet: http://hl7.org/fhir/ValueSet/measure-population|4.4.0 + references: 3, strongest binding: Extensible - #denominator: Denominator - #denominator-exception: Denominator Exception - #denominator-exclusion: Denominator Exclusion @@ -31716,34 +32081,41 @@ Value Sets: 1230 (unversioned) - #numerator: Numerator - #numerator-exclusion: Numerator Exclusion - ValueSet: http://hl7.org/fhir/ValueSet/measure-report-status|4.4.0 + references: 1, strongest binding: Required - #complete: Complete - #error: Error - #pending: Pending - ValueSet: http://hl7.org/fhir/ValueSet/measure-report-type|4.4.0 + references: 1, strongest binding: Required - #data-collection: Data Collection - #individual: Individual - #subject-list: Subject List - #summary: Summary - ValueSet: http://hl7.org/fhir/ValueSet/measure-scoring|4.4.0 + references: 1, strongest binding: Extensible - #cohort: Cohort - #continuous-variable: Continuous Variable - #proportion: Proportion - #ratio: Ratio - ValueSet: http://hl7.org/fhir/ValueSet/measure-type|4.4.0 + references: 1, strongest binding: Extensible - #composite: Composite - #outcome: Outcome - #patient-reported-outcome: Patient Reported Outcome - #process: Process - #structure: Structure - ValueSet: http://hl7.org/fhir/ValueSet/med-admin-perform-function|4.4.0 + references: 1, strongest binding: Example - #performer: Performer - #verifier: Verifier - #witness: Witness - ValueSet: http://hl7.org/fhir/ValueSet/medication-admin-location|4.4.0 + references: 1, strongest binding: Example - #community: Community - #inpatient: Inpatient - #outpatient: Outpatient - ValueSet: http://hl7.org/fhir/ValueSet/medication-admin-status|4.4.0 + references: 1, strongest binding: Required - #completed: Completed - #entered-in-error: Entered in Error - #in-progress: In Progress @@ -31752,16 +32124,19 @@ Value Sets: 1230 (unversioned) - #stopped: Stopped - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/medicationdispense-admin-location|4.4.0 + references: 1, strongest binding: Example - #community: Community - #inpatient: Inpatient - #outpatient: Outpatient - ValueSet: http://hl7.org/fhir/ValueSet/medicationdispense-performer-function|4.4.0 + references: 1, strongest binding: Example - #checker: Checker - #counsellor: Counsellor - #dataenterer: Data Enterer - #finalchecker: Final Checker - #packager: Packager - ValueSet: http://hl7.org/fhir/ValueSet/medicationdispense-status|4.4.0 + references: 1, strongest binding: Required - #cancelled: Cancelled - #completed: Completed - #declined: Declined @@ -31772,6 +32147,7 @@ Value Sets: 1230 (unversioned) - #stopped: Stopped - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/medicationdispense-status-reason|4.4.0 + references: 1, strongest binding: Example - #altchoice: Try another treatment first - #clarif: Prescription/Request requires clarification - #drughigh: Drug level too high @@ -31794,9 +32170,11 @@ Value Sets: 1230 (unversioned) - #surg: Patient scheduled for surgery - #washout: Washout - ValueSet: http://hl7.org/fhir/ValueSet/medication-ingredientstrength|4.4.0 + references: 2, strongest binding: Example - #qs: QS - #trace: Trace - ValueSet: http://hl7.org/fhir/ValueSet/medicationknowledge-characteristic|4.4.0 + references: 1, strongest binding: Example - #coating: Coating - #color: Color - #image: Image @@ -31806,6 +32184,7 @@ Value Sets: 1230 (unversioned) - #shape: Shape - #size: Size - ValueSet: http://hl7.org/fhir/ValueSet/medicationknowledge-package-type|4.4.0 + references: 1, strongest binding: Example - #amp: Ampule - #bag: Bag - #blstrpk: Blister Pack @@ -31829,23 +32208,28 @@ Value Sets: 1230 (unversioned) - #tube: Tube - #vial: Vial - ValueSet: http://hl7.org/fhir/ValueSet/medicationknowledge-status|4.4.0 + references: 1, strongest binding: Required - #active: Active - #entered-in-error: Entered in Error - #inactive: Inactive - ValueSet: http://hl7.org/fhir/ValueSet/medicationrequest-admin-location|4.4.0 + references: 1, strongest binding: Example - #community: Community - #inpatient: Inpatient - #outpatient: Outpatient - ValueSet: http://hl7.org/fhir/ValueSet/medicationrequest-category|4.4.0 + references: 1, strongest binding: Example - #community: Community - #discharge: Discharge - #inpatient: Inpatient - #outpatient: Outpatient - ValueSet: http://hl7.org/fhir/ValueSet/medicationrequest-course-of-therapy|4.4.0 + references: 1, strongest binding: Example - #acute: Short course (acute) therapy - #continuous: Continuous long term therapy - #seasonal: Seasonal - ValueSet: http://hl7.org/fhir/ValueSet/medicationrequest-intent|4.4.0 + references: 1, strongest binding: Required - #filler-order: Filler Order - #instance-order: Instance Order - #option: Option @@ -31855,6 +32239,7 @@ Value Sets: 1230 (unversioned) - #proposal: Proposal - #reflex-order: Reflex Order - ValueSet: http://hl7.org/fhir/ValueSet/medicationrequest-status|4.4.0 + references: 1, strongest binding: Required - #active: Active - #cancelled: Cancelled - #completed: Completed @@ -31864,6 +32249,7 @@ Value Sets: 1230 (unversioned) - #stopped: Stopped - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/medicationrequest-status-reason|4.4.0 + references: 1, strongest binding: Example - #altchoice: Try another treatment first - #clarif: Prescription requires clarification - #drughigh: Drug level too high @@ -31878,14 +32264,17 @@ Value Sets: 1230 (unversioned) - #surg: Patient scheduled for surgery. - #washout: Waiting for old drug to wash out - ValueSet: http://hl7.org/fhir/ValueSet/medication-status|4.4.0 + references: 1, strongest binding: Required - #active: Active - #entered-in-error: Entered in Error - #inactive: Inactive - ValueSet: http://hl7.org/fhir/ValueSet/medication-usage-admin-location|4.4.0 + references: 1, strongest binding: Example - #community: Community - #inpatient: Inpatient - #outpatient: Outpatient - ValueSet: http://hl7.org/fhir/ValueSet/medication-usage-status|4.4.0 + references: 1, strongest binding: Required - #active: Active - #completed: Completed - #entered-in-error: Entered in Error @@ -31895,6 +32284,7 @@ Value Sets: 1230 (unversioned) - #stopped: Stopped - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/medline-pubmed-owner|4.4.0 + references: 1, strongest binding: Extensible - #HMD: HMD - #HSR: HSR - #KIE: KIE @@ -31904,6 +32294,7 @@ Value Sets: 1230 (unversioned) - #PIP: PIP - #SIS: SIS - ValueSet: http://hl7.org/fhir/ValueSet/medline-pubmed-status|4.4.0 + references: 1, strongest binding: Extensible - #Completed: Completed - #In-Data-Review: In-Data-Review - #In-Process: In-Process @@ -31912,11 +32303,13 @@ Value Sets: 1230 (unversioned) - #Publisher: Publisher - #PubMed-not-MEDLINE: PubMed-not-MEDLINE - ValueSet: http://hl7.org/fhir/ValueSet/messageheader-response-request|4.4.0 + references: 2, strongest binding: Required - #always: Always - #never: Never - #on-error: Error/reject conditions only - #on-success: Successful completion only - ValueSet: http://hl7.org/fhir/ValueSet/message-reason-encounter|4.4.0 + references: 1, strongest binding: Example - #absent: Absent - #admit: Admit - #discharge: Discharge @@ -31924,29 +32317,35 @@ Value Sets: 1230 (unversioned) - #moved: Moved - #return: Returned - ValueSet: http://hl7.org/fhir/ValueSet/message-significance-category|4.4.0 + references: 1, strongest binding: Required - #consequence: Consequence - #currency: Currency - #notification: Notification - ValueSet: http://hl7.org/fhir/ValueSet/message-transport|4.4.0 + references: 1, strongest binding: Extensible - #ftp: FTP - #http: HTTP - #mllp: MLLP - ValueSet: http://hl7.org/fhir/ValueSet/metric-calibration-state|4.4.0 + references: 1, strongest binding: Required - #calibrated: Calibrated - #calibration-required: Calibration Required - #not-calibrated: Not Calibrated - #unspecified: Unspecified - ValueSet: http://hl7.org/fhir/ValueSet/metric-calibration-type|4.4.0 + references: 1, strongest binding: Required - #gain: Gain - #offset: Offset - #two-point: Two Point - #unspecified: Unspecified - ValueSet: http://hl7.org/fhir/ValueSet/metric-category|4.4.0 + references: 1, strongest binding: Required - #calculation: Calculation - #measurement: Measurement - #setting: Setting - #unspecified: Unspecified - ValueSet: http://hl7.org/fhir/ValueSet/metric-color|4.4.0 + references: 1, strongest binding: Required - #black: Color Black - #blue: Color Blue - #cyan: Color Cyan @@ -31956,16 +32355,19 @@ Value Sets: 1230 (unversioned) - #white: Color White - #yellow: Color Yellow - ValueSet: http://hl7.org/fhir/ValueSet/metric-operational-status|4.4.0 + references: 1, strongest binding: Required - #entered-in-error: Entered In Error - #off: Off - #on: On - #standby: Standby - ValueSet: http://hl7.org/fhir/ValueSet/missing-tooth-reason|4.4.0 + references: 2, strongest binding: Example - #c: C - #e: E - #o: O - #u: U - ValueSet: http://hl7.org/fhir/ValueSet/modified-foodtype|4.4.0 + references: 1, strongest binding: Example - #102263004: Eggs - #226529007: Starchy food - #226760005: Dairy foods @@ -31981,6 +32383,7 @@ Value Sets: 1230 (unversioned) - #72511004: Fruit - #74242007: Food Starch - ValueSet: http://hl7.org/fhir/ValueSet/name-assembly-order|4.4.0 + references: 1, strongest binding: Required - #F: Prefix Family Middle Given Suffix - #G: Prefix Given Middle Family Suffix - #NL1: Own Name @@ -31989,6 +32392,7 @@ Value Sets: 1230 (unversioned) - #NL4: Own Name followed by Partner Name - #UNK: unknown - ValueSet: http://hl7.org/fhir/ValueSet/name-part-qualifier|4.4.0 + references: 1, strongest binding: Required - #AC: academic - #AD: acquired - #BR: birth @@ -32002,6 +32406,7 @@ Value Sets: 1230 (unversioned) - #SP: spouse - #VV: voorvoegsel - ValueSet: http://hl7.org/fhir/ValueSet/name-use|4.4.0 + references: 1, strongest binding: Required - #anonymous: Anonymous - #maiden: Name changed for Marriage - #nickname: Nickname @@ -32010,30 +32415,36 @@ Value Sets: 1230 (unversioned) - #temp: Temp - #usual: Usual - ValueSet: http://hl7.org/fhir/ValueSet/name-v3-representation|4.4.0 + references: 1, strongest binding: Required - #ABC: Alphabetic - #IDE: Ideographic - #SYL: Syllabic - ValueSet: http://hl7.org/fhir/ValueSet/namingsystem-identifier-type|4.4.0 + references: 1, strongest binding: Required - #oid: OID - #other: Other - #uri: URI - #uuid: UUID - ValueSet: http://hl7.org/fhir/ValueSet/namingsystem-type|4.4.0 + references: 1, strongest binding: Required - #codesystem: Code System - #identifier: Identifier - #root: Root - ValueSet: http://hl7.org/fhir/ValueSet/narrative-status|4.4.0 + references: 1, strongest binding: Required - #additional: Additional - #empty: Empty - #extensions: Extensions - #generated: Generated - ValueSet: http://hl7.org/fhir/ValueSet/network-type|4.4.0 + references: 1, strongest binding: Required - #1: Machine Name - #2: IP Address - #3: Telephone Number - #4: Email address - #5: URI - ValueSet: http://hl7.org/fhir/ValueSet/nhin-purposeofuse|4.4.0 + references: 0, strongest binding: - #ABUSE: Abuse - #COVERAGE: Coverage - #DECEASED: Deceased @@ -32062,18 +32473,22 @@ Value Sets: 1230 (unversioned) - #TREATMENT: Treatment - #WORKERSCOMP: Worker's Comp - ValueSet: http://hl7.org/fhir/ValueSet/note-type|4.4.0 + references: 3, strongest binding: Required - #display: Display - #print: Print (Form) - #printoper: Print (Operator) - ValueSet: http://hl7.org/fhir/ValueSet/nutrient-code|4.4.0 + references: 2, strongest binding: Example - #33463005: Fluid - #39972003: Sodium - #88480006: Potassium - ValueSet: http://hl7.org/fhir/ValueSet/nutritionproduct-status|4.4.0 + references: 1, strongest binding: Required - #active: Active - #entered-in-error: Entered in Error - #inactive: Inactive - ValueSet: http://hl7.org/fhir/ValueSet/object-lifecycle-events|4.4.0 + references: 1, strongest binding: Extensible - #1: Origination / Creation - #10: Export - #11: Disclosure @@ -32117,6 +32532,7 @@ Value Sets: 1230 (unversioned) - #unmerge: Unmerge Record Lifecycle Event - #verify: Verify Record Lifecycle Event - ValueSet: http://hl7.org/fhir/ValueSet/object-role|4.4.0 + references: 1, strongest binding: Extensible - #1: Patient - #10: Guarantor - #11: Security User Entity @@ -32142,6 +32558,7 @@ Value Sets: 1230 (unversioned) - #8: Doctor - #9: Subscriber - ValueSet: http://hl7.org/fhir/ValueSet/observation-category|4.4.0 + references: 3, strongest binding: Preferred - #activity: Activity - #exam: Exam - #imaging: Imaging @@ -32152,6 +32569,7 @@ Value Sets: 1230 (unversioned) - #therapy: Therapy - #vital-signs: Vital Signs - ValueSet: http://hl7.org/fhir/ValueSet/observation-interpretation|4.4.0 + references: 2, strongest binding: Extensible - #_GeneticObservationInterpretation: GeneticObservationInterpretation - #_ObservationInterpretationChange: ObservationInterpretationChange - #_ObservationInterpretationExceptions: ObservationInterpretationExceptions @@ -32200,10 +32618,12 @@ Value Sets: 1230 (unversioned) - #W: Worse - #WR: Weakly reactive - ValueSet: http://hl7.org/fhir/ValueSet/observation-range-category|4.4.0 + references: 1, strongest binding: Required - #absolute: absolute range - #critical: critical range - #reference: reference range - ValueSet: http://hl7.org/fhir/ValueSet/observation-statistics|4.4.0 + references: 0, strongest binding: - #20-percent: 20th Percentile - #4-dev: Quartile Deviation - #4-lower: Lower Quartile @@ -32226,6 +32646,7 @@ Value Sets: 1230 (unversioned) - #total-count: Total Count - #variance: Variance - ValueSet: http://hl7.org/fhir/ValueSet/observation-status|4.4.0 + references: 3, strongest binding: Required - #amended: Amended - #cancelled: Cancelled - #corrected: Corrected @@ -32235,6 +32656,7 @@ Value Sets: 1230 (unversioned) - #registered: Registered - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/observation-vitalsignresult|4.4.0 + references: 2, strongest binding: Extensible - #2708-6: - #29463-7: - #39156-5: @@ -32249,9 +32671,11 @@ Value Sets: 1230 (unversioned) - #9279-1: - #9843-4: - ValueSet: http://hl7.org/fhir/ValueSet/operation-kind|4.4.0 + references: 1, strongest binding: Required - #operation: Operation - #query: Query - ValueSet: http://hl7.org/fhir/ValueSet/operation-outcome|4.4.0 + references: 1, strongest binding: Example - #DELETE_MULTIPLE_MATCHES: Error: Multiple matches exist for the conditional delete - #MSG_AUTH_REQUIRED: You must authenticate before you can use this service - #MSG_BAD_FORMAT: Bad Syntax: "%s" must be a %s' @@ -32303,14 +32727,17 @@ Value Sets: 1230 (unversioned) - #SEARCH_NONE: Error: no processable search found for %s search parameters "%s" - #UPDATE_MULTIPLE_MATCHES: Error: Multiple matches exist for the conditional update - ValueSet: http://hl7.org/fhir/ValueSet/operation-parameter-use|4.4.0 + references: 2, strongest binding: Required - #in: In - #out: Out - ValueSet: http://hl7.org/fhir/ValueSet/oral-prosthodontic-material|4.4.0 + references: 0, strongest binding: - #1: Fixed Bridge - #2: Maryland Bridge - #3: Denture Acrylic - #4: Denture Chrome Cobalt - ValueSet: http://hl7.org/fhir/ValueSet/organization-role|4.4.0 + references: 1, strongest binding: Example - #agency: Agency - #diagnostics: Diagnostics - #HIE/HIO: HIE/HIO @@ -32320,6 +32747,7 @@ Value Sets: 1230 (unversioned) - #research: Research - #supplier: Supplier - ValueSet: http://hl7.org/fhir/ValueSet/organization-type|4.4.0 + references: 1, strongest binding: Example - #bus: Non-Healthcare Business or Corporation - #cg: Community Group - #crs: Clinical Research Sponsor @@ -32333,9 +32761,11 @@ Value Sets: 1230 (unversioned) - #reli: Religious Institution - #team: Organizational team - ValueSet: http://hl7.org/fhir/ValueSet/orientation-type|4.4.0 + references: 1, strongest binding: Required - #antisense: Antisense orientation of referenceSeq - #sense: Sense orientation of referenceSeq - ValueSet: http://hl7.org/fhir/ValueSet/parameter-group|4.4.0 + references: 0, strongest binding: - #blood-chemistry: Blood Chemistry Parameter Group - #drug-delivery: Drug Delivery Parameter Group - #ecg: ECG Parameter Group @@ -32346,6 +32776,7 @@ Value Sets: 1230 (unversioned) - #respiratory: Respiratory Parameter Group - #ventilation: Ventilation Parameter Group - ValueSet: http://hl7.org/fhir/ValueSet/parent-relationship-codes|4.4.0 + references: 0, strongest binding: - #ADOPTF: adoptive father - #ADOPTM: adoptive mother - #ADOPTP: adoptive parent @@ -32368,10 +32799,12 @@ Value Sets: 1230 (unversioned) - #STPPRN: step parent - #TWIN: twin - ValueSet: http://hl7.org/fhir/ValueSet/participantrequired|4.4.0 + references: 1, strongest binding: Required - #information-only: Information Only - #optional: Optional - #required: Required - ValueSet: http://hl7.org/fhir/ValueSet/participation-role-type|4.4.0 + references: 1, strongest binding: Extensible - #_CitizenRoleType: CitizenRoleType - #110150: Application - #110151: Application Launcher @@ -32449,25 +32882,31 @@ Value Sets: 1230 (unversioned) - #VERF: Verifier - #WIT: witness - ValueSet: http://hl7.org/fhir/ValueSet/participationstatus|4.4.0 + references: 2, strongest binding: Required - #accepted: Accepted - #declined: Declined - #needs-action: Needs Action - #tentative: Tentative - ValueSet: http://hl7.org/fhir/ValueSet/payeetype|4.4.0 + references: 3, strongest binding: Example - #other: Provider - #provider: Provider - #subscriber: Subscriber - ValueSet: http://hl7.org/fhir/ValueSet/payment-adjustment-reason|4.4.0 + references: 2, strongest binding: Example - #a001: Prior Payment Reversal - #a002: Prior Overpayment - ValueSet: http://hl7.org/fhir/ValueSet/payment-status|4.4.0 + references: 1, strongest binding: Example - #cleared: Cleared - #paid: Paid - ValueSet: http://hl7.org/fhir/ValueSet/payment-type|4.4.0 + references: 1, strongest binding: Example - #adjustment: Adjustment - #advance: Advance - #payment: Payment - ValueSet: http://hl7.org/fhir/ValueSet/performer-function|4.4.0 + references: 1, strongest binding: Extensible - #ATND: attender - #AUT: author (originator) - #AUTHEN: authenticator @@ -32483,11 +32922,13 @@ Value Sets: 1230 (unversioned) - #VRF: verifier - #WIT: witness - ValueSet: http://hl7.org/fhir/ValueSet/permission-status|4.4.0 + references: 1, strongest binding: Required - #active: Active - #draft: Draft - #entered-in-error: Entered in Error - #rejected: Rejected - ValueSet: http://hl7.org/fhir/ValueSet/permitted-data-type|4.4.0 + references: 2, strongest binding: Required - #boolean: boolean - #CodeableConcept: CodeableConcept - #dateTime: dateTime @@ -32500,11 +32941,13 @@ Value Sets: 1230 (unversioned) - #string: string - #time: time - ValueSet: http://hl7.org/fhir/ValueSet/plan-definition-type|4.4.0 + references: 1, strongest binding: Extensible - #clinical-protocol: Clinical Protocol - #eca-rule: ECA Rule - #order-set: Order Set - #workflow-definition: Workflow Definition - ValueSet: http://hl7.org/fhir/ValueSet/postal-address-use|4.4.0 + references: 1, strongest binding: Required - #BAD: bad address - #CONF: confidential address - #DIR: direct @@ -32514,6 +32957,7 @@ Value Sets: 1230 (unversioned) - #PST: postal address - #PUB: public - ValueSet: http://hl7.org/fhir/ValueSet/practitioner-role|4.4.0 + references: 1, strongest binding: Example - #doctor: Doctor - #ict: ICT professional - #nurse: Nurse @@ -32521,12 +32965,14 @@ Value Sets: 1230 (unversioned) - #researcher: Researcher - #teacher: Teacher/educator - ValueSet: http://hl7.org/fhir/ValueSet/practitioner-specialty|4.4.0 + references: 0, strongest binding: - #cardio: Cardiologist - #dent: Dentist - #dietary: Dietary consultant - #midw: Midwife - #sysarch: Systems architect - ValueSet: http://hl7.org/fhir/ValueSet/probability-distribution-type|4.4.0 + references: 1, strongest binding: Required - #B: beta - #E: exponential - #F: F @@ -32537,6 +32983,7 @@ Value Sets: 1230 (unversioned) - #U: uniform - #X2: chi square - ValueSet: http://hl7.org/fhir/ValueSet/procedure-category|4.4.0 + references: 1, strongest binding: Example - #103693007: - #24642003: - #387713003: @@ -32545,6 +32992,7 @@ Value Sets: 1230 (unversioned) - #410606002: - #46947000: - ValueSet: http://hl7.org/fhir/ValueSet/procedure-followup|4.4.0 + references: 1, strongest binding: Example - #18949003: - #225164002: - #229506003: @@ -32556,10 +33004,12 @@ Value Sets: 1230 (unversioned) - #394725008: - #447346005: - ValueSet: http://hl7.org/fhir/ValueSet/procedure-outcome|4.4.0 + references: 1, strongest binding: Example - #385669000: - #385670004: - #385671000: - ValueSet: http://hl7.org/fhir/ValueSet/procedure-progress-status-codes|4.4.0 + references: 1, strongest binding: Example - #anesthesia-induced: Anesthesia Induced - #closed-incision: Closed Incision - #in-operating-room: In Operating Room @@ -32567,23 +33017,28 @@ Value Sets: 1230 (unversioned) - #open-incision: Open Incision - #prepared: Prepared - ValueSet: http://hl7.org/fhir/ValueSet/process-priority|4.4.0 + references: 2, strongest binding: Example - #deferred: Deferred - #normal: Normal - #stat: Immediate - ValueSet: http://hl7.org/fhir/ValueSet/product-category|4.4.0 + references: 1, strongest binding: Required - #biologicalAgent: BiologicalAgent - #cells: Cells - #fluid: Fluid - #organ: Organ - #tissue: Tissue - ValueSet: http://hl7.org/fhir/ValueSet/product-status|4.4.0 + references: 1, strongest binding: Required - #active: Active - #entered-in-error: Entered in Error - ValueSet: http://hl7.org/fhir/ValueSet/product-storage-scale|4.4.0 + references: 1, strongest binding: Required - #celsius: Celsius - #farenheit: Fahrenheit - #kelvin: Kelvin - ValueSet: http://hl7.org/fhir/ValueSet/program|4.4.0 + references: 1, strongest binding: Example - #1: Acquired Brain Injury (ABI) Program  - #10: Cognitive Dementia Memory Service (CDAMS) - #11: ChildFIRST @@ -32630,12 +33085,14 @@ Value Sets: 1230 (unversioned) - #8: Community Aged Care Packages (CACP) - #9: Care Coordination & Supplementary Services (CCSS) - ValueSet: http://hl7.org/fhir/ValueSet/property-representation|4.4.0 + references: 1, strongest binding: Required - #cdaText: CDA Text Format - #typeAttr: Type Attribute - #xhtml: XHTML - #xmlAttr: XML Attribute - #xmlText: XML Text - ValueSet: http://hl7.org/fhir/ValueSet/provenance-activity-type|4.4.0 + references: 1, strongest binding: Extensible - #access: Access/View Record Lifecycle Event - #amend: Amend (Update) Record Lifecycle Event - #ANONY: anonymize @@ -32675,6 +33132,7 @@ Value Sets: 1230 (unversioned) - #UPDATE: revise - #verify: Verify Record Lifecycle Event - ValueSet: http://hl7.org/fhir/ValueSet/provenance-agent-role|4.4.0 + references: 1, strongest binding: Example - #assembler: Assembler - #attester: Attester - #author: Author @@ -32686,6 +33144,7 @@ Value Sets: 1230 (unversioned) - #performer: Performer - #verifier: Verifier - ValueSet: http://hl7.org/fhir/ValueSet/provenance-agent-type|4.4.0 + references: 2, strongest binding: Extensible - #assembler: Assembler - #attester: Attester - #author: Author @@ -32697,17 +33156,20 @@ Value Sets: 1230 (unversioned) - #performer: Performer - #verifier: Verifier - ValueSet: http://hl7.org/fhir/ValueSet/provenance-entity-role|4.4.0 + references: 1, strongest binding: Required - #derivation: Derivation - #quotation: Quotation - #removal: Removal - #revision: Revision - #source: Source - ValueSet: http://hl7.org/fhir/ValueSet/provenance-history-agent-type|4.4.0 + references: 1, strongest binding: Extensible - #AUT: author (originator) - #ENT: data entry person - #INF: informant - #VRF: verifier - ValueSet: http://hl7.org/fhir/ValueSet/provenance-history-record-activity|4.4.0 + references: 1, strongest binding: Extensible - #ABORT: abort - #ACTIVATE: activate - #CANCEL: cancel @@ -32723,20 +33185,24 @@ Value Sets: 1230 (unversioned) - #SUSPEND: suspend - #UPDATE: revise - ValueSet: http://hl7.org/fhir/ValueSet/provider-qualification|4.4.0 + references: 2, strongest binding: Example - #311405: Dentist - #604210: Optometrist - #604215: Ophthalmologist - ValueSet: http://hl7.org/fhir/ValueSet/publication-status|4.4.0 + references: 36, strongest binding: Required - #active: Active - #draft: Draft - #retired: Retired - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/publishing-model-type|4.4.0 + references: 2, strongest binding: Extensible - #Electronic: Electronic - #Eletronic-eCollection: Eletronic-eCollection - #Print: Print - #Print-Electronic: Print-Electronic - ValueSet: http://hl7.org/fhir/ValueSet/pubmed-pubstatus|4.4.0 + references: 2, strongest binding: Extensible - #accepted: accepted - #aheadofprint: aheadofprint - #ecollection: ecollection @@ -32755,36 +33221,44 @@ Value Sets: 1230 (unversioned) - #retracted: retracted - #revised: revised - ValueSet: http://hl7.org/fhir/ValueSet/quality-type|4.4.0 + references: 1, strongest binding: Required - #indel: INDEL Comparison - #snp: SNP Comparison - #unknown: UNKNOWN Comparison - ValueSet: http://hl7.org/fhir/ValueSet/quantity-comparator|4.4.0 + references: 1, strongest binding: Required - #<: Less than - #<=: Less or Equal to - #>: Greater than - #>=: Greater or Equal to - ValueSet: http://hl7.org/fhir/ValueSet/question-max-occurs|4.4.0 + references: 0, strongest binding: - #*: Repeating - ValueSet: http://hl7.org/fhir/ValueSet/questionnaire-answers-status|4.4.0 + references: 1, strongest binding: Required - #amended: Amended - #completed: Completed - #entered-in-error: Entered in Error - #in-progress: In Progress - #stopped: Stopped - ValueSet: http://hl7.org/fhir/ValueSet/questionnaire-category|4.4.0 + references: 0, strongest binding: - #273384008: Consumer satisfaction questionnaire - #273479001: General health questionnaire - #273601006: Mental status questionnaire - #273820006: Social support questionnaire - #304784009: Administrative form - ValueSet: http://hl7.org/fhir/ValueSet/questionnaire-display-category|4.4.0 + references: 1, strongest binding: Extensible - #help: Help - #instructions: Instructions - #security: Security - ValueSet: http://hl7.org/fhir/ValueSet/questionnaire-enable-behavior|4.4.0 + references: 1, strongest binding: Required - #all: All - #any: Any - ValueSet: http://hl7.org/fhir/ValueSet/questionnaire-enable-operator|4.4.0 + references: 1, strongest binding: Required - #!=: Not Equals - #<: Less Than - #<=: Less or Equals @@ -32793,6 +33267,7 @@ Value Sets: 1230 (unversioned) - #>=: Greater or Equals - #exists: Exists - ValueSet: http://hl7.org/fhir/ValueSet/questionnaire-item-control|4.4.0 + references: 1, strongest binding: Extensible - #atable: Answer Table - #autocomplete: Auto-complete - #check-box: Check-box @@ -32819,42 +33294,51 @@ Value Sets: 1230 (unversioned) - #unit: Unit - #upper: Upper-bound - ValueSet: http://hl7.org/fhir/ValueSet/questionnaireresponse-mode|4.4.0 + references: 1, strongest binding: Required - #ELECTRONIC: electronic data - #VERBAL: verbal - #WRITTEN: written - ValueSet: http://hl7.org/fhir/ValueSet/questionnaire-usage-mode|4.4.0 + references: 1, strongest binding: Required - #capture: Capture Only - #capture-display: Capture & Display - #capture-display-non-empty: Capture or, if answered, Display - #display: Display Only - #display-non-empty: Display when Answered - ValueSet: http://hl7.org/fhir/ValueSet/reaction-event-certainty|4.4.0 + references: 1, strongest binding: Extensible - #confirmed: Confirmed - #likely: Likely - #unknown: Unknown - #unlikely: Unlikely - ValueSet: http://hl7.org/fhir/ValueSet/reaction-event-severity|4.4.0 + references: 1, strongest binding: Required - #mild: Mild - #moderate: Moderate - #severe: Severe - ValueSet: http://hl7.org/fhir/ValueSet/reason-medication-given-codes|4.4.0 + references: 1, strongest binding: Example - #a: None - #b: Given as Ordered - #c: Emergency - ValueSet: http://hl7.org/fhir/ValueSet/recommendation-strength|4.4.0 + references: 1, strongest binding: Example - #strong: Strong - #weak: Weak - ValueSet: http://hl7.org/fhir/ValueSet/reference-handling-policy|4.4.0 + references: 1, strongest binding: Required - #enforced: Reference Integrity Enforced - #literal: Literal References - #local: Local References Only - #logical: Logical References - #resolves: Resolves References - ValueSet: http://hl7.org/fhir/ValueSet/referencerange-appliesto|4.4.0 + references: 2, strongest binding: Example - #248152002: - #248153007: - #77386006: - ValueSet: http://hl7.org/fhir/ValueSet/referencerange-meaning|4.4.0 + references: 2, strongest binding: Extensible - #endocrine: Endocrine - #follicular: Follicular Stage - #luteal: Luteal @@ -32869,16 +33353,19 @@ Value Sets: 1230 (unversioned) - #treatment: Treatment Range - #type: Type - ValueSet: http://hl7.org/fhir/ValueSet/reference-version-rules|4.4.0 + references: 1, strongest binding: Required - #either: Either Specific or independent - #independent: Version independent - #specific: Version Specific - ValueSet: http://hl7.org/fhir/ValueSet/rejection-criteria|4.4.0 + references: 1, strongest binding: Example - #broken: broken specimen container - #clotted: specimen clotted - #hemolized: hemolized specimen - #insufficient: insufficient specimen volume - #wrong-temperature: specimen temperature inappropriate - ValueSet: http://hl7.org/fhir/ValueSet/related-artifact-type|4.4.0 + references: 1, strongest binding: Required - #citation: Citation - #composed-of: Composed Of - #depends-on: Depends On @@ -32888,9 +33375,11 @@ Value Sets: 1230 (unversioned) - #predecessor: Predecessor - #successor: Successor - ValueSet: http://hl7.org/fhir/ValueSet/related-claim-relationship|4.4.0 + references: 2, strongest binding: Example - #associated: Associated Claim - #prior: Prior Claim - ValueSet: http://hl7.org/fhir/ValueSet/relatedperson-relationshiptype|4.4.0 + references: 1, strongest binding: Preferred - #_PersonalRelationshipRoleType: PersonalRelationshipRoleType - #ADOPTF: adoptive father - #ADOPTM: adoptive mother @@ -33010,42 +33499,50 @@ Value Sets: 1230 (unversioned) - #UNCLE: uncle - #WIFE: wife - ValueSet: http://hl7.org/fhir/ValueSet/relationship|4.4.0 + references: 0, strongest binding: - #1: Self - #2: Spouse - #3: Child - #4: Common Law Spouse - #5: Other - ValueSet: http://hl7.org/fhir/ValueSet/remittance-outcome|4.4.0 + references: 5, strongest binding: Required - #complete: Complete - #error: Error - #partial: Partial - ValueSet: http://hl7.org/fhir/ValueSet/report-action-result-codes|4.4.0 + references: 2, strongest binding: Required - #error: Error - #fail: Fail - #pass: Pass - #skip: Skip - #warning: Warning - ValueSet: http://hl7.org/fhir/ValueSet/report-participant-type|4.4.0 + references: 1, strongest binding: Required - #client: Client - #server: Server - #test-engine: Test Engine - ValueSet: http://hl7.org/fhir/ValueSet/report-result-codes|4.4.0 + references: 1, strongest binding: Required - #fail: Fail - #pass: Pass - #pending: Pending - ValueSet: http://hl7.org/fhir/ValueSet/report-status-codes|4.4.0 + references: 1, strongest binding: Required - #completed: Completed - #entered-in-error: Entered In Error - #in-progress: In Progress - #stopped: Stopped - #waiting: Waiting - ValueSet: http://hl7.org/fhir/ValueSet/repository-type|4.4.0 + references: 1, strongest binding: Required - #directlink: Click and see - #login: Result cannot be access unless an account is logged in - #oauth: Result need to be fetched with API and need LOGIN( or cookies are required when visiting the link of resource) - #openapi: The URL is the RESTful or other kind of API that can access to the result. - #other: Some other complicated or particular way to get resource from URL. - ValueSet: http://hl7.org/fhir/ValueSet/request-intent|4.4.0 + references: 5, strongest binding: Required - #directive: Directive - #filler-order: Filler Order - #instance-order: Instance Order @@ -33056,11 +33553,13 @@ Value Sets: 1230 (unversioned) - #proposal: Proposal - #reflex-order: Reflex Order - ValueSet: http://hl7.org/fhir/ValueSet/request-priority|4.4.0 + references: 11, strongest binding: Required - #asap: ASAP - #routine: Routine - #stat: STAT - #urgent: Urgent - ValueSet: http://hl7.org/fhir/ValueSet/request-resource-types|4.4.0 + references: 1, strongest binding: Required - #Appointment: Appointment - #AppointmentResponse: AppointmentResponse - #CarePlan: CarePlan @@ -33077,6 +33576,7 @@ Value Sets: 1230 (unversioned) - #Task: Task - #VisionPrescription: VisionPrescription - ValueSet: http://hl7.org/fhir/ValueSet/request-status|4.4.0 + references: 6, strongest binding: Required - #active: Active - #completed: Completed - #draft: Draft @@ -33085,10 +33585,12 @@ Value Sets: 1230 (unversioned) - #revoked: Revoked - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/research-study-objective-type|4.4.0 + references: 1, strongest binding: Preferred - #exploratory: Exploratory - #primary: Primary - #secondary: Secondary - ValueSet: http://hl7.org/fhir/ValueSet/research-study-phase|4.4.0 + references: 1, strongest binding: Example - #early-phase-1: Early Phase 1 - #n-a: N/A - #phase-1: Phase 1 @@ -33098,6 +33600,7 @@ Value Sets: 1230 (unversioned) - #phase-3: Phase 3 - #phase-4: Phase 4 - ValueSet: http://hl7.org/fhir/ValueSet/research-study-prim-purp-type|4.4.0 + references: 1, strongest binding: Extensible - #basic-science: Basic Science - #device-feasibility: Device Feasibility - #diagnostic: Diagnostic @@ -33107,11 +33610,13 @@ Value Sets: 1230 (unversioned) - #supportive-care: Supportive Care - #treatment: Treatment - ValueSet: http://hl7.org/fhir/ValueSet/research-study-reason-stopped|4.4.0 + references: 1, strongest binding: Example - #accrual-goal-met: Accrual Goal Met - #closed-due-to-lack-of-study-progress: Closed due to lack of study progress - #closed-due-to-toxicity: Closed due to toxicity - #temporarily-closed-per-study-design: Temporarily closed per study design - ValueSet: http://hl7.org/fhir/ValueSet/research-study-status|4.4.0 + references: 1, strongest binding: Required - #active: Active - #administratively-completed: Administratively Completed - #approved: Approved @@ -33124,10 +33629,12 @@ Value Sets: 1230 (unversioned) - #temporarily-closed-to-accrual-and-intervention: Temporarily Closed to Accrual and Intervention - #withdrawn: Withdrawn - ValueSet: http://hl7.org/fhir/ValueSet/research-subject-milestone|4.4.0 + references: 1, strongest binding: Example - #Randomized: Randomized - #Screened: Screened - #SignedUp: Signed up - ValueSet: http://hl7.org/fhir/ValueSet/research-subject-state|4.4.0 + references: 1, strongest binding: Example - #candidate: Candidate - #eligible: Eligible - #follow-up: Follow-up @@ -33142,9 +33649,11 @@ Value Sets: 1230 (unversioned) - #screening: Screening - #withdrawn: Withdrawn - ValueSet: http://hl7.org/fhir/ValueSet/research-subject-state-type|4.4.0 + references: 1, strongest binding: Example - #Enrollment: Enrollment status - #Milestone: Milestone status - ValueSet: http://hl7.org/fhir/ValueSet/research-subject-status|4.4.0 + references: 1, strongest binding: Required - #candidate: Candidate - #eligible: Eligible - #follow-up: Follow-up @@ -33159,20 +33668,24 @@ Value Sets: 1230 (unversioned) - #screening: Screening - #withdrawn: Withdrawn - ValueSet: http://hl7.org/fhir/ValueSet/resource-aggregation-mode|4.4.0 + references: 1, strongest binding: Required - #bundled: Bundled - #contained: Contained - #referenced: Referenced - ValueSet: http://hl7.org/fhir/ValueSet/resource-security-category|4.4.0 + references: 1, strongest binding: Required - #anonymous: Anonymous READ Access Resource - #business: Business Sensitive Resource - #individual: Individual Sensitive Resource - #not-classified: Not classified - #patient: Patient Sensitive - ValueSet: http://hl7.org/fhir/ValueSet/resource-slicing-rules|4.4.0 + references: 1, strongest binding: Required - #closed: Closed - #open: Open - #openAtEnd: Open at End - ValueSet: http://hl7.org/fhir/ValueSet/resource-status|4.4.0 + references: 0, strongest binding: - #abandoned: abandoned - #accepted: accepted - #active: active @@ -33205,11 +33718,13 @@ Value Sets: 1230 (unversioned) - #unconfirmed: unconfirmed - #unknown: unknown - ValueSet: http://hl7.org/fhir/ValueSet/resource-type-link|4.4.0 + references: 0, strongest binding: - #organization: Organization - #patient: Patient - #practitioner: Practitioner - #relatedperson: RelatedPerson - ValueSet: http://hl7.org/fhir/ValueSet/resource-types|4.4.0 + references: 15, strongest binding: Required - #Account: Account - #ActivityDefinition: ActivityDefinition - #AdministrableProductDefinition: AdministrableProductDefinition @@ -33360,18 +33875,22 @@ Value Sets: 1230 (unversioned) - #VerificationResult: VerificationResult - #VisionPrescription: VisionPrescription - ValueSet: http://hl7.org/fhir/ValueSet/resource-validation-mode|4.4.0 + references: 0, strongest binding: - #create: Validate for Create - #delete: Validate for Delete - #profile: Validate Against a Profile - #update: Validate for Update - ValueSet: http://hl7.org/fhir/ValueSet/response-code|4.4.0 + references: 1, strongest binding: Required - #fatal-error: Fatal Error - #ok: OK - #transient-error: Transient Error - ValueSet: http://hl7.org/fhir/ValueSet/restful-capability-mode|4.4.0 + references: 2, strongest binding: Required - #client: Client - #server: Server - ValueSet: http://hl7.org/fhir/ValueSet/restful-security-service|4.4.0 + references: 1, strongest binding: Extensible - #Basic: Basic - #Certificates: Certificates - #Kerberos: Kerberos @@ -33379,12 +33898,14 @@ Value Sets: 1230 (unversioned) - #OAuth: OAuth - #SMART-on-FHIR: SMART-on-FHIR - ValueSet: http://hl7.org/fhir/ValueSet/risk-probability|4.4.0 + references: 1, strongest binding: Example - #certain: Certain - #high: High likelihood - #low: Low likelihood - #moderate: Moderate likelihood - #negligible: Negligible likelihood - ValueSet: http://hl7.org/fhir/ValueSet/search-comparator|4.4.0 + references: 1, strongest binding: Required - #ap: Approximately - #eb: Ends Before - #eq: Equals @@ -33395,10 +33916,12 @@ Value Sets: 1230 (unversioned) - #ne: Not Equals - #sa: Starts After - ValueSet: http://hl7.org/fhir/ValueSet/search-entry-mode|4.4.0 + references: 1, strongest binding: Required - #include: Include - #match: Match - #outcome: Outcome - ValueSet: http://hl7.org/fhir/ValueSet/search-modifier-code|4.4.0 + references: 1, strongest binding: Required - #above: Above - #below: Below - #contains: Contains @@ -33412,6 +33935,7 @@ Value Sets: 1230 (unversioned) - #text: Text - #type: Type - ValueSet: http://hl7.org/fhir/ValueSet/search-param-type|4.4.0 + references: 4, strongest binding: Required - #composite: Composite - #date: Date/DateTime - #number: Number @@ -33422,15 +33946,18 @@ Value Sets: 1230 (unversioned) - #token: Token - #uri: URI - ValueSet: http://hl7.org/fhir/ValueSet/search-xpath-usage|4.4.0 + references: 1, strongest binding: Required - #distance: Distance - #nearby: Nearby - #normal: Normal - #other: Other - #phonetic: Phonetic - ValueSet: http://hl7.org/fhir/ValueSet/secondary-finding|4.4.0 + references: 1, strongest binding: Extensible - #acmg-version1: ACMG Version 1 - #acmg-version2: ACMG Version 2 - ValueSet: http://hl7.org/fhir/ValueSet/security-role-type|4.4.0 + references: 3, strongest binding: Extensible - #_CitizenRoleType: CitizenRoleType - #110150: Application - #110151: Application Launcher @@ -33508,16 +34035,19 @@ Value Sets: 1230 (unversioned) - #VERF: Verifier - #WIT: witness - ValueSet: http://hl7.org/fhir/ValueSet/sequence-type|4.4.0 + references: 1, strongest binding: Required - #aa: AA Sequence - #dna: DNA Sequence - #rna: RNA Sequence - ValueSet: http://hl7.org/fhir/ValueSet/series-performer-function|4.4.0 + references: 1, strongest binding: Extensible - #CON: consultant - #PRF: performer - #REF: referrer - #SPRF: secondary performer - #VRF: verifier - ValueSet: http://hl7.org/fhir/ValueSet/service-category|4.4.0 + references: 4, strongest binding: Example - #1: Adoption - #10: Dental - #11: Disability Support @@ -33557,9 +34087,11 @@ Value Sets: 1230 (unversioned) - #8: Counselling - #9: Death Services - ValueSet: http://hl7.org/fhir/ValueSet/service-modifiers|4.4.0 + references: 0, strongest binding: - #ah: After hours - #sr: Side of the Road - ValueSet: http://hl7.org/fhir/ValueSet/service-pharmacy|4.4.0 + references: 0, strongest binding: - #compoundfee: Compounding Fee - #dispensefee: Dispense Fee - #drugcost: Drug Cost @@ -33567,6 +34099,7 @@ Value Sets: 1230 (unversioned) - #markup: Markup - #smokecess: Smoking cessation - ValueSet: http://hl7.org/fhir/ValueSet/service-place|4.4.0 + references: 4, strongest binding: Example - #01: Pharmacy - #03: School - #04: Homeless Shelter @@ -33585,31 +34118,37 @@ Value Sets: 1230 (unversioned) - #21: Inpatient Hospital - #41: Ambulance—Land - ValueSet: http://hl7.org/fhir/ValueSet/service-product|4.4.0 + references: 0, strongest binding: - #exam: Exam - #flushot: Flu shot - ValueSet: http://hl7.org/fhir/ValueSet/service-provision-conditions|4.4.0 + references: 1, strongest binding: Example - #cost: Fees apply - #disc: Discounts Available - #free: Free - ValueSet: http://hl7.org/fhir/ValueSet/service-referral-method|4.4.0 + references: 1, strongest binding: Example - #elec: Secure Messaging - #fax: Fax - #mail: Mail - #phone: Phone - #semail: Secure Email - ValueSet: http://hl7.org/fhir/ValueSet/servicerequest-category|4.4.0 + references: 1, strongest binding: Example - #108252007: Laboratory procedure - #363679005: Imaging - #387713003: Surgical procedure - #409063005: Counselling - #409073007: Education - ValueSet: http://hl7.org/fhir/ValueSet/servicerequest-orderdetail|4.4.0 + references: 1, strongest binding: Example - #243144002: Patient triggered inspiratory assistance (procedure) - #243150007: Assisted controlled mandatory ventilation (procedure) - #286812008: Pressure controlled ventilation (procedure) - #47545007: Continuous positive airway pressure ventilation treatment (regime/therapy) - #59427005: Synchronized intermittent mandatory ventilation (procedure) - ValueSet: http://hl7.org/fhir/ValueSet/service-type|4.4.0 + references: 5, strongest binding: Example - #1: Adoption/Permanent Care Info/Support - #10: Personal Alarms/Alerts - #100: Disability Information/Referral @@ -34207,6 +34746,7 @@ Value Sets: 1230 (unversioned) - #98: Disability Case Management - #99: Disability Day Programs/Activities - ValueSet: http://hl7.org/fhir/ValueSet/service-uscls|4.4.0 + references: 14, strongest binding: Example - #1101: Exam, comp, primary - #1102: Exam, comp, mixed - #1103: Exam, comp, permanent @@ -34228,6 +34768,7 @@ Value Sets: 1230 (unversioned) - #99333: Lab, in office - #99555: Expense - ValueSet: http://hl7.org/fhir/ValueSet/sibling-relationship-codes|4.4.0 + references: 0, strongest binding: - #BRO: brother - #FTWIN: fraternal twin - #FTWINBRO: fraternal twin brother @@ -34250,6 +34791,7 @@ Value Sets: 1230 (unversioned) - #TWINBRO: twin brother - #TWINSIS: twin sister - ValueSet: http://hl7.org/fhir/ValueSet/signature-type|4.4.0 + references: 2, strongest binding: Preferred - #1.2.840.10065.1.12.1.1: Author's Signature - #1.2.840.10065.1.12.1.10: Identity Witness Signature - #1.2.840.10065.1.12.1.11: Consent Witness Signature @@ -34275,12 +34817,14 @@ Value Sets: 1230 (unversioned) - #ProofOfReceipt: Proof of receipt - #ProofOfSender: Proof of sender - ValueSet: http://hl7.org/fhir/ValueSet/slotstatus|4.4.0 + references: 1, strongest binding: Required - #busy: Busy - #busy-tentative: Busy (Tentative) - #busy-unavailable: Busy (Unavailable) - #entered-in-error: Entered in error - #free: Free - ValueSet: http://hl7.org/fhir/ValueSet/smart-capabilities|4.4.0 + references: 1, strongest binding: Required - #client-confidential-symmetric: Confidential Client Profile - #client-public: Public Client Profile - #context-ehr-encounter: Allows "Encounter Level Launch Context (EHR)" @@ -34296,9 +34840,11 @@ Value Sets: 1230 (unversioned) - #permission-user: Supports User Level Scopes - #sso-openid-connect: Supports OpenID Connect - ValueSet: http://hl7.org/fhir/ValueSet/sort-direction|4.4.0 + references: 1, strongest binding: Required - #ascending: Ascending - #descending: Descending - ValueSet: http://hl7.org/fhir/ValueSet/spdx-license|4.4.0 + references: 1, strongest binding: Required - #0BSD: BSD Zero Clause License - #AAL: Attribution Assurance License - #Abstyles: Abstyles License @@ -34646,6 +35192,7 @@ Value Sets: 1230 (unversioned) - #ZPL-2.0: Zope Public License 2.0 - #ZPL-2.1: Zope Public License 2.1 - ValueSet: http://hl7.org/fhir/ValueSet/special-values|4.4.0 + references: 0, strongest binding: - #false: false - #nil-known: Nil Known - #sufficient: Sufficient Quantity @@ -34653,6 +35200,7 @@ Value Sets: 1230 (unversioned) - #true: true - #withdrawn: Value Withdrawn - ValueSet: http://hl7.org/fhir/ValueSet/specimen-collection|4.4.0 + references: 1, strongest binding: Example - #129300006: Puncture - action - #129304002: Excision - action - #129314006: Biopsy - action @@ -34664,6 +35212,7 @@ Value Sets: 1230 (unversioned) - #70777001: Urine specimen collection, catheterized - #73416001: Urine specimen collection, clean catch - ValueSet: http://hl7.org/fhir/ValueSet/specimen-collection-method|4.4.0 + references: 1, strongest binding: Example - #129300006: Puncture - action - #129304002: Excision - action - #129314006: Biopsy - action @@ -34675,6 +35224,7 @@ Value Sets: 1230 (unversioned) - #70777001: Urine specimen collection, catheterized - #73416001: Urine specimen collection, clean catch - ValueSet: http://hl7.org/fhir/ValueSet/specimen-collection-priority|4.4.0 + references: 1, strongest binding: Example - #1: STAT - #2: ASAP - #3: ASAP-ED @@ -34683,9 +35233,11 @@ Value Sets: 1230 (unversioned) - #6: NURSE COLLECT - #7: CALL OR FAX - ValueSet: http://hl7.org/fhir/ValueSet/specimen-contained-preference|4.4.0 + references: 1, strongest binding: Required - #alternate: Alternate - #preferred: Preferred - ValueSet: http://hl7.org/fhir/ValueSet/specimen-processing-procedure|4.4.0 + references: 1, strongest binding: Example - #ACID: Acidification - #ALK: Alkalization - #DEFB: Defibrination @@ -34695,11 +35247,13 @@ Value Sets: 1230 (unversioned) - #RECA: Recalification - #UFIL: Ultrafiltration - ValueSet: http://hl7.org/fhir/ValueSet/specimen-status|4.4.0 + references: 1, strongest binding: Required - #available: Available - #entered-in-error: Entered in Error - #unavailable: Unavailable - #unsatisfactory: Unsatisfactory - ValueSet: http://hl7.org/fhir/ValueSet/standards-status|4.4.0 + references: 1, strongest binding: Required - #deprecated: Deprecated - #draft: Draft - #external: External @@ -34707,6 +35261,7 @@ Value Sets: 1230 (unversioned) - #normative: Normative - #trial-use: Trial-Use - ValueSet: http://hl7.org/fhir/ValueSet/state-change-reason|4.4.0 + references: 1, strongest binding: Example - #adverseEvent: adverse event - #death: death (adverse event) - #eligibleButNo: eligible but unwilling or unable to participate @@ -34727,6 +35282,7 @@ Value Sets: 1230 (unversioned) - #unwillingOrUnable: unwilling or unable to participate - #withdrawnConsent: withdrawn consent - ValueSet: http://hl7.org/fhir/ValueSet/statistic-type|4.4.0 + references: 1, strongest binding: Extensible - #0000100: Standardized Mean Difference - #0000301: Covariance - #0000424: Risk Difference @@ -34750,14 +35306,17 @@ Value Sets: 1230 (unversioned) - #predictedRisk: Predicted Risk - #rate-ratio: Incidence Rate Ratio - ValueSet: http://hl7.org/fhir/ValueSet/strand-type|4.4.0 + references: 1, strongest binding: Required - #crick: Crick strand of referenceSeq - #watson: Watson strand of referenceSeq - ValueSet: http://hl7.org/fhir/ValueSet/structure-definition-kind|4.4.0 + references: 1, strongest binding: Required - #complex-type: Complex Data Type - #logical: Logical - #primitive-type: Primitive Data Type - #resource: Resource - ValueSet: http://hl7.org/fhir/ValueSet/study-type|4.4.0 + references: 1, strongest binding: Extensible - #case-control: case-control study - #case-report: case report - #CCT: controlled trial (non-randomized) @@ -34766,12 +35325,14 @@ Value Sets: 1230 (unversioned) - #RCT: randomized trial - #series: uncontrolled cohort or case series - ValueSet: http://hl7.org/fhir/ValueSet/subject-type|4.4.0 + references: 7, strongest binding: Extensible - #Device: Device - #Location: Location - #Organization: Organization - #Patient: Patient - #Practitioner: Practitioner - ValueSet: http://hl7.org/fhir/ValueSet/subscriber-relationship|4.4.0 + references: 1, strongest binding: Extensible - #child: Child - #common: Common Law Spouse - #injured: Injured Party @@ -34780,23 +35341,28 @@ Value Sets: 1230 (unversioned) - #self: Self - #spouse: Spouse - ValueSet: http://hl7.org/fhir/ValueSet/subscription-channel-type|4.4.0 + references: 1, strongest binding: Extensible - #email: Email - #message: Message - #rest-hook: Rest Hook - #websocket: Websocket - ValueSet: http://hl7.org/fhir/ValueSet/subscription-error|4.4.0 + references: 1, strongest binding: Example - #dns-resolution-error: DNS resolution error - #error-response: Error response - #no-response: No response - ValueSet: http://hl7.org/fhir/ValueSet/subscription-notification-type|4.4.0 + references: 1, strongest binding: Required - #event-notification: Event Notification - #handshake: Handshake - #heartbeat: Heartbeat - ValueSet: http://hl7.org/fhir/ValueSet/subscription-payload-content|4.4.0 + references: 1, strongest binding: Required - #empty: empty - #full-resource: full-resource - #id-only: id-only - ValueSet: http://hl7.org/fhir/ValueSet/subscription-search-modifier|4.4.0 + references: 2, strongest binding: Required - #=: = - #above: Above - #ap: Approximately @@ -34813,14 +35379,17 @@ Value Sets: 1230 (unversioned) - #of-type: Of Type - #sa: Starts After - ValueSet: http://hl7.org/fhir/ValueSet/subscription-state|4.4.0 + references: 2, strongest binding: Required - #active: Active - #error: Error - #off: Off - #requested: Requested - ValueSet: http://hl7.org/fhir/ValueSet/subscription-tag|4.4.0 + references: 0, strongest binding: - #delivered: Delivered - #queued: Queued - ValueSet: http://hl7.org/fhir/ValueSet/substance-category|4.4.0 + references: 1, strongest binding: Extensible - #allergen: Allergen - #biological: Biological Substance - #body: Body Substance @@ -34829,10 +35398,12 @@ Value Sets: 1230 (unversioned) - #food: Dietary Substance - #material: Material - ValueSet: http://hl7.org/fhir/ValueSet/substance-status|4.4.0 + references: 1, strongest binding: Required - #active: Active - #entered-in-error: Entered in Error - #inactive: Inactive - ValueSet: http://hl7.org/fhir/ValueSet/supplement-type|4.4.0 + references: 1, strongest binding: Example - #441531000124102: Standard Enteral Formula - #441561000124106: Standard enteral formula with fiber - #441571000124104: High energy enteral formula with fiber @@ -34879,20 +35450,25 @@ Value Sets: 1230 (unversioned) - #444401000124107: Frozen electrolyte replacement supplement - #444431000124104: Pediatric reduced energy formula - ValueSet: http://hl7.org/fhir/ValueSet/supplydelivery-status|4.4.0 + references: 1, strongest binding: Required - #abandoned: Abandoned - #completed: Delivered - #entered-in-error: Entered In Error - #in-progress: In Progress - ValueSet: http://hl7.org/fhir/ValueSet/supplydelivery-type|4.4.0 + references: 1, strongest binding: Required - #device: Device - #medication: Medication - ValueSet: http://hl7.org/fhir/ValueSet/supplyrequest-kind|4.4.0 + references: 1, strongest binding: Example - #central: Central Supply - #nonstock: Non-Stock - ValueSet: http://hl7.org/fhir/ValueSet/supplyrequest-reason|4.4.0 + references: 1, strongest binding: Example - #patient-care: Patient Care - #ward-stock: Ward Stock - ValueSet: http://hl7.org/fhir/ValueSet/supplyrequest-status|4.4.0 + references: 1, strongest binding: Required - #active: Active - #cancelled: Cancelled - #completed: Completed @@ -34901,6 +35477,7 @@ Value Sets: 1230 (unversioned) - #suspended: Suspended - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/surface|4.4.0 + references: 4, strongest binding: Example - #B: Buccal - #D: Distal - #DI: Distoincisal @@ -34913,6 +35490,7 @@ Value Sets: 1230 (unversioned) - #O: Occlusal - #V: Ventral - ValueSet: http://hl7.org/fhir/ValueSet/synthesis-type|4.4.0 + references: 1, strongest binding: Extensible - #classification: classifcation of results - #combined-NMA: combined direct plus indirect network meta-analysis - #indirect-NMA: indirect network meta-analysis @@ -34920,11 +35498,13 @@ Value Sets: 1230 (unversioned) - #range: range of results - #std-MA: summary data meta-analysis - ValueSet: http://hl7.org/fhir/ValueSet/system-restful-interaction|4.4.0 + references: 2, strongest binding: Required - #batch: batch - #history-system: history-system - #search-system: search-system - #transaction: transaction - ValueSet: http://hl7.org/fhir/ValueSet/task-code|4.4.0 + references: 1, strongest binding: Example - #abort: Mark the focal resource as no longer active - #approve: Activate/approve the focal resource - #change: Change the focal resource @@ -34933,6 +35513,7 @@ Value Sets: 1230 (unversioned) - #resume: Re-activate the focal resource - #suspend: Suspend the focal resource - ValueSet: http://hl7.org/fhir/ValueSet/task-intent|4.4.0 + references: 1, strongest binding: Required - #filler-order: Filler Order - #instance-order: Instance Order - #option: Option @@ -34943,6 +35524,7 @@ Value Sets: 1230 (unversioned) - #reflex-order: Reflex Order - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/task-status|4.4.0 + references: 1, strongest binding: Required - #accepted: Accepted - #cancelled: Cancelled - #completed: Completed @@ -34956,6 +35538,7 @@ Value Sets: 1230 (unversioned) - #rejected: Rejected - #requested: Requested - ValueSet: http://hl7.org/fhir/ValueSet/teeth|4.4.0 + references: 0, strongest binding: - #11: 11 - #12: 12 - #13: 13 @@ -34989,6 +35572,7 @@ Value Sets: 1230 (unversioned) - #47: 47 - #48: 48 - ValueSet: http://hl7.org/fhir/ValueSet/template-status-code|4.4.0 + references: 1, strongest binding: Required - #active: active - #cancelled: Cancelled - #draft: Draft @@ -34998,6 +35582,7 @@ Value Sets: 1230 (unversioned) - #review: In Review - #terminated: Terminated - ValueSet: http://hl7.org/fhir/ValueSet/testscript-operation-codes|4.4.0 + references: 1, strongest binding: Extensible - #apply: $apply - #batch: Batch - #capabilities: Capabilities @@ -35044,14 +35629,17 @@ Value Sets: 1230 (unversioned) - #validate-code: $validate-code - #vread: Version Read - ValueSet: http://hl7.org/fhir/ValueSet/testscript-profile-destination-types|4.4.0 + references: 1, strongest binding: Extensible - #FHIR-SDC-FormManager: FHIR SDC FormManager - #FHIR-SDC-FormProcessor: FHIR SDC FormProcessor - #FHIR-SDC-FormReceiver: FHIR SDC FormReceiver - #FHIR-Server: FHIR Server - ValueSet: http://hl7.org/fhir/ValueSet/testscript-profile-origin-types|4.4.0 + references: 1, strongest binding: Extensible - #FHIR-Client: FHIR Client - #FHIR-SDC-FormFiller: FHIR SDC FormFiller - ValueSet: http://hl7.org/fhir/ValueSet/texture-code|4.4.0 + references: 1, strongest binding: Example - #228049004: Chopped food - #228053002: Cut-up food - #228055009: Liquidized food @@ -35067,6 +35655,7 @@ Value Sets: 1230 (unversioned) - #441791000124106: Strained food - #441881000124103: Ground food - ValueSet: http://hl7.org/fhir/ValueSet/timing-abbreviation|4.4.0 + references: 1, strongest binding: Preferred - #AM: AM - #BED: at bedtime - #BID: BID @@ -35084,6 +35673,7 @@ Value Sets: 1230 (unversioned) - #TID: TID - #WK: weekly - ValueSet: http://hl7.org/fhir/ValueSet/tooth|4.4.0 + references: 4, strongest binding: Example - #0: Oral cavity - #1: 1 - #11: 11 @@ -35126,11 +35716,13 @@ Value Sets: 1230 (unversioned) - #7: 7 - #8: 8 - ValueSet: http://hl7.org/fhir/ValueSet/transaction-mode|4.4.0 + references: 0, strongest binding: - #batch: Batches supported - #both: Batches & Transactions - #not-supported: None - #transaction: Transactions Supported - ValueSet: http://hl7.org/fhir/ValueSet/trigger-type|4.4.0 + references: 1, strongest binding: Required - #data-accessed: Data Accessed - #data-access-ended: Data Access Ended - #data-added: Data Added @@ -35140,9 +35732,11 @@ Value Sets: 1230 (unversioned) - #named-event: Named Event - #periodic: Periodic - ValueSet: http://hl7.org/fhir/ValueSet/type-derivation-rule|4.4.0 + references: 1, strongest binding: Required - #constraint: Constraint - #specialization: Specialization - ValueSet: http://hl7.org/fhir/ValueSet/type-restful-interaction|4.4.0 + references: 2, strongest binding: Required - #create: create - #delete: delete - #history-instance: history-instance @@ -35153,16 +35747,20 @@ Value Sets: 1230 (unversioned) - #update: update - #vread: vread - ValueSet: http://hl7.org/fhir/ValueSet/ucum-bodylength|4.4.0 + references: 0, strongest binding: - #[in_i]: - #cm: - ValueSet: http://hl7.org/fhir/ValueSet/ucum-bodytemp|4.4.0 + references: 0, strongest binding: - #[degF]: - #Cel: - ValueSet: http://hl7.org/fhir/ValueSet/ucum-bodyweight|4.4.0 + references: 0, strongest binding: - #[lb_av]: - #g: - #kg: - ValueSet: http://hl7.org/fhir/ValueSet/ucum-common|4.4.0 + references: 0, strongest binding: - #': minute - #'': second - #%: percent @@ -36521,6 +37119,7 @@ Value Sets: 1230 (unversioned) - #Wb: Weber - #wk: week - ValueSet: http://hl7.org/fhir/ValueSet/ucum-vitals-common|4.4.0 + references: 1, strongest binding: Required - #%: percent - #/min: per minute - #[degF]: degree Fahrenheit @@ -36534,8 +37133,10 @@ Value Sets: 1230 (unversioned) - #m2: square meter - #mm[Hg]: millimeter of mercury - ValueSet: http://hl7.org/fhir/ValueSet/udi|4.4.0 + references: 0, strongest binding: - #gudid: GUDID (FDA) - ValueSet: http://hl7.org/fhir/ValueSet/udi-entry-type|4.4.0 + references: 1, strongest binding: Required - #barcode: Barcode - #card: Card - #electronic-transmission: Electronic Transmission @@ -36544,6 +37145,7 @@ Value Sets: 1230 (unversioned) - #self-reported: Self Reported - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/units-of-time|4.4.0 + references: 2, strongest binding: Required - #a: year - #d: day - #h: hour @@ -36552,11 +37154,13 @@ Value Sets: 1230 (unversioned) - #s: second - #wk: week - ValueSet: http://hl7.org/fhir/ValueSet/unknown-content-code|4.4.0 + references: 0, strongest binding: - #both: Unknown Elements and Extensions - #elements: Unknown Elements - #extensions: Unknown Extensions - #no: Neither Elements or Extensions - ValueSet: http://hl7.org/fhir/ValueSet/usage-context-type|4.4.0 + references: 1, strongest binding: Extensible - #age: Age Range - #focus: Clinical Focus - #gender: Gender @@ -36567,6 +37171,7 @@ Value Sets: 1230 (unversioned) - #venue: Clinical Venue - #workflow: Workflow Setting - ValueSet: http://hl7.org/fhir/ValueSet/variable-role|4.4.0 + references: 1, strongest binding: Extensible - #confounder: confounder - #exposure: exposure - #measuredVariable: measured variable @@ -36574,32 +37179,39 @@ Value Sets: 1230 (unversioned) - #referenceExposure: reference exposure - #subpopulation: subpopulation - ValueSet: http://hl7.org/fhir/ValueSet/variable-type|4.4.0 + references: 1, strongest binding: Required - #continuous: Continuous - #descriptive: Descriptive - #dichotomous: Dichotomous - ValueSet: http://hl7.org/fhir/ValueSet/variant-state|4.4.0 + references: 0, strongest binding: - #absent: absent - #negative: negative - #positive: positive - ValueSet: http://hl7.org/fhir/ValueSet/verificationresult-can-push-updates|4.4.0 + references: 1, strongest binding: Preferred - #no: No - #undetermined: Undetermined - #yes: Yes - ValueSet: http://hl7.org/fhir/ValueSet/verificationresult-communication-method|4.4.0 + references: 2, strongest binding: Example - #manual: Manual - #portal: Portal - #pull: Pull - #push: Push - ValueSet: http://hl7.org/fhir/ValueSet/verificationresult-failure-action|4.4.0 + references: 1, strongest binding: Preferred - #fatal: Fatal - #none: None - #rec-only: Record only - #warn: Warning - ValueSet: http://hl7.org/fhir/ValueSet/verificationresult-need|4.4.0 + references: 1, strongest binding: Preferred - #initial: Initial - #none: None - #periodic: Periodic - ValueSet: http://hl7.org/fhir/ValueSet/verificationresult-primary-source-type|4.4.0 + references: 1, strongest binding: Example - #auth-source: Authoritative source - #cont-ed: Continuing Education - #issuer: Issuing source @@ -36610,10 +37222,12 @@ Value Sets: 1230 (unversioned) - #reg-auth: Registration Authority - #rel-own: Relationship owner - ValueSet: http://hl7.org/fhir/ValueSet/verificationresult-push-type-available|4.4.0 + references: 1, strongest binding: Preferred - #any: Any changes - #source: As defined by source - #specific: Specific requested changes - ValueSet: http://hl7.org/fhir/ValueSet/verificationresult-status|4.4.0 + references: 1, strongest binding: Required - #attested: Attested - #in-process: In process - #req-revalid: Requires revalidation @@ -36621,6 +37235,7 @@ Value Sets: 1230 (unversioned) - #val-fail: Validation failed - #validated: Validated - ValueSet: http://hl7.org/fhir/ValueSet/verificationresult-validation-process|4.4.0 + references: 1, strongest binding: Example - #edit-check: edit check - #in-context: in context - #multi: multiple sources @@ -36628,29 +37243,36 @@ Value Sets: 1230 (unversioned) - #standalone: standalone - #valueset: value set - ValueSet: http://hl7.org/fhir/ValueSet/verificationresult-validation-status|4.4.0 + references: 1, strongest binding: Preferred - #failed: Failed - #successful: Successful - #unknown: Unknown - ValueSet: http://hl7.org/fhir/ValueSet/verificationresult-validation-type|4.4.0 + references: 1, strongest binding: Preferred - #multiple: Multiple Sources - #nothing: Nothing - #primary: Primary Source - ValueSet: http://hl7.org/fhir/ValueSet/versioning-policy|4.4.0 + references: 1, strongest binding: Required - #no-version: No VersionId Support - #versioned: Versioned - #versioned-update: VersionId tracked fully - ValueSet: http://hl7.org/fhir/ValueSet/vision-base-codes|4.4.0 + references: 1, strongest binding: Required - #down: Down - #in: In - #out: Out - #up: Up - ValueSet: http://hl7.org/fhir/ValueSet/vision-eye-codes|4.4.0 + references: 1, strongest binding: Required - #left: Left Eye - #right: Right Eye - ValueSet: http://hl7.org/fhir/ValueSet/vision-product|4.4.0 + references: 1, strongest binding: Example - #contact: Contact Lens - #lens: Lens - ValueSet: http://hl7.org/fhir/ValueSet/written-language|4.4.0 + references: 0, strongest binding: - #ar: Arabic - #bn: Bengali - #cs: Czech @@ -36678,10 +37300,12 @@ Value Sets: 1230 (unversioned) - #te: Telegu - #zh: Chinese - ValueSet: http://hl7.org/fhir/ValueSet/yesnodontknow|4.4.0 + references: 0, strongest binding: - #asked-unknown: Asked But Unknown - #N: No - #Y: Yes - ValueSet: http://terminology.hl7.org/ValueSet/v2-0001|2.9 + references: 0, strongest binding: - #A: Ambiguous - #F: Female - #M: Male @@ -36689,6 +37313,7 @@ Value Sets: 1230 (unversioned) - #O: Other - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0002|2.9 + references: 0, strongest binding: - #A: Separated - #B: Unmarried - #C: Common law @@ -36706,6 +37331,7 @@ Value Sets: 1230 (unversioned) - #U: Unknown - #W: Widowed - ValueSet: http://terminology.hl7.org/ValueSet/v2-0003|2.9 + references: 0, strongest binding: - #A01: ADT/ACK - Admit/visit notification - #A02: ADT/ACK - Transfer a patient - #A03: ADT/ACK - Discharge/end visit @@ -37011,6 +37637,7 @@ Value Sets: 1230 (unversioned) - #V04: VXU - Unsolicited vaccination record update - #Varies: MFQ/MFR - Master files query (use event same as asking for e.g., M05 - location) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0004|2.9 + references: 0, strongest binding: - #B: Obstetrics - #C: Commercial Account - #E: Emergency @@ -37021,6 +37648,7 @@ Value Sets: 1230 (unversioned) - #R: Recurring patient - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0005|2.9 + references: 0, strongest binding: - #1002-5: American Indian or Alaska Native - #2028-9: Asian - #2054-5: Black or African American @@ -37028,6 +37656,7 @@ Value Sets: 1230 (unversioned) - #2106-3: White - #2131-1: Other Race - ValueSet: http://terminology.hl7.org/ValueSet/v2-0007|2.9 + references: 0, strongest binding: - #A: Accident - #C: Elective - #E: Emergency @@ -37036,6 +37665,7 @@ Value Sets: 1230 (unversioned) - #R: Routine - #U: Urgent - ValueSet: http://terminology.hl7.org/ValueSet/v2-0008|2.9 + references: 0, strongest binding: - #AA: Original mode: Application Accept - Enhanced mode: Application acknowledgment: Accept - #AE: Original mode: Application Error - Enhanced mode: Application acknowledgment: Error - #AR: Original mode: Application Reject - Enhanced mode: Application acknowledgment: Reject @@ -37043,6 +37673,7 @@ Value Sets: 1230 (unversioned) - #CE: Enhanced mode: Accept acknowledgment: Commit Error - #CR: Enhanced mode: Accept acknowledgment: Commit Reject - ValueSet: http://terminology.hl7.org/ValueSet/v2-0009|2.9 + references: 0, strongest binding: - #A0: No functional limitations - #A1: Ambulates with assistive device - #A2: Wheelchair/stretcher bound @@ -37060,20 +37691,24 @@ Value Sets: 1230 (unversioned) - #B5: Paraplegic - #B6: Pregnant - ValueSet: http://terminology.hl7.org/ValueSet/v2-0017|2.9 + references: 0, strongest binding: - #AJ: Adjustment - #CD: Credit - #CG: Charge - #CO: Co-payment - #PY: Payment - ValueSet: http://terminology.hl7.org/ValueSet/v2-0023|2.9 + references: 0, strongest binding: - #...: No suggested values defined - ValueSet: http://terminology.hl7.org/ValueSet/v2-0027|2.9 + references: 0, strongest binding: - #A: As soon as possible (a priority lower than stat) - #P: Preoperative (to be done prior to surgery) - #R: Routine - #S: Stat (do immediately) - #T: Timing critical (do as near as possible to requested time) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0038|2.9 + references: 0, strongest binding: - #A: Some, but not all, results available - #CA: Order was canceled - #CM: Order is completed @@ -37084,24 +37719,29 @@ Value Sets: 1230 (unversioned) - #RP: Order has been replaced - #SC: In process, scheduled - ValueSet: http://terminology.hl7.org/ValueSet/v2-0043|2.9 + references: 0, strongest binding: - #...: No suggested values defined - ValueSet: http://terminology.hl7.org/ValueSet/v2-0052|2.9 + references: 0, strongest binding: - #A: Admitting - #F: Final - #W: Working - ValueSet: http://terminology.hl7.org/ValueSet/v2-0061|2.9 + references: 0, strongest binding: - #BCV: Bank Card Validation Number - #ISO: ISO 7064: 1983 - #M10: Mod 10 algorithm - #M11: Mod 11 algorithm - #NPI: Check digit algorithm in the US National Provider Identifier - ValueSet: http://terminology.hl7.org/ValueSet/v2-0062|2.9 + references: 0, strongest binding: - #01: Patient request - #02: Physician/health practitioner order - #03: Census management - #O: Other - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0063|2.9 + references: 0, strongest binding: - #ASC: Associate - #BRO: Brother - #CGV: Care giver @@ -37135,6 +37775,7 @@ Value Sets: 1230 (unversioned) - #UNK: Unknown - #WRD: Ward of court - ValueSet: http://terminology.hl7.org/ValueSet/v2-0065|2.9 + references: 0, strongest binding: - #A: Add ordered tests to the existing specimen - #G: Generated order; reflex order - #L: Lab to obtain specimen from patient @@ -37143,6 +37784,7 @@ Value Sets: 1230 (unversioned) - #R: Revised order - #S: Schedule the tests specified below - ValueSet: http://terminology.hl7.org/ValueSet/v2-0066|2.9 + references: 0, strongest binding: - #1: Full time employed - #2: Part time employed - #3: Unemployed @@ -37155,12 +37797,14 @@ Value Sets: 1230 (unversioned) - #O: Other - #T: Temporarily unemployed - ValueSet: http://terminology.hl7.org/ValueSet/v2-0069|2.9 + references: 0, strongest binding: - #CAR: Cardiac Service - #MED: Medical Service - #PUL: Pulmonary Service - #SUR: Surgical Service - #URO: Urology Service - ValueSet: http://terminology.hl7.org/ValueSet/v2-0074|2.9 + references: 0, strongest binding: - #AU: Audiology - #BG: Blood Gases - #BLB: Blood Bank @@ -37203,6 +37847,7 @@ Value Sets: 1230 (unversioned) - #VUS: Vascular Ultrasound - #XRC: Cineradiograph - ValueSet: http://terminology.hl7.org/ValueSet/v2-0076|2.9 + references: 0, strongest binding: - #ACK: General acknowledgment message - #ADR: ADT response - #ADT: ADT message @@ -37346,6 +37991,7 @@ Value Sets: 1230 (unversioned) - #VXU: Unsolicited vaccination record update - #VXX: Response for vaccination query with multiple PID matches - ValueSet: http://terminology.hl7.org/ValueSet/v2-0080|2.9 + references: 0, strongest binding: - #A: An age-based population - #B: Breed - #N: None - generic normal range @@ -37354,9 +38000,11 @@ Value Sets: 1230 (unversioned) - #SP: Species - #ST: Strain - ValueSet: http://terminology.hl7.org/ValueSet/v2-0083|2.9 + references: 0, strongest binding: - #C: Outlier cost - #D: Outlier days - ValueSet: http://terminology.hl7.org/ValueSet/v2-0085|2.9 + references: 0, strongest binding: - #A: Amended based on adjustments provided by the Placer (Physician) regarding patient demographics (such as age and/or gender or other patient specific information - #B: Appended Report - Final results reviewed and further information provided for clarity without change to the original result values. - #C: Record coming over is a correction and thus replaces a final result @@ -37373,27 +38021,33 @@ Value Sets: 1230 (unversioned) - #W: Post original as wrong, e.g., transmitted for wrong patient - #X: Results cannot be obtained for this observation - ValueSet: http://terminology.hl7.org/ValueSet/v2-0091|2.9 + references: 0, strongest binding: - #D: Deferred - #I: Immediate - ValueSet: http://terminology.hl7.org/ValueSet/v2-0092|2.9 + references: 1, strongest binding: Example - #R: Re-admission - ValueSet: http://terminology.hl7.org/ValueSet/v2-0098|2.9 + references: 0, strongest binding: - #M: Maternity - #S: Standard - #U: Unified - ValueSet: http://terminology.hl7.org/ValueSet/v2-0100|2.9 + references: 0, strongest binding: - #D: On discharge - #O: On receipt of order - #R: At time service is completed - #S: At time service is started - #T: At a designated date/time - ValueSet: http://terminology.hl7.org/ValueSet/v2-0103|2.9 + references: 0, strongest binding: - #D: Debugging - #N: Non-Production Testing - #P: Production - #T: Training - #V: Validation - ValueSet: http://terminology.hl7.org/ValueSet/v2-0104|2.9 + references: 0, strongest binding: - #2.0: Release 2.0 - #2.0D: Demo 2.0 - #2.1: Release 2.1 @@ -37411,10 +38065,12 @@ Value Sets: 1230 (unversioned) - #2.8.2: Release 2.8.2 - #2.9: Draft 2.9 - ValueSet: http://terminology.hl7.org/ValueSet/v2-0105|2.9 + references: 0, strongest binding: - #L: Ancillary (filler) department is source of comment - #O: Other system is source of comment - #P: Orderer (placer) is source of comment - ValueSet: http://terminology.hl7.org/ValueSet/v2-0116|2.9 + references: 1, strongest binding: Preferred - #C: Closed - #H: Housekeeping - #I: Isolated @@ -37422,6 +38078,7 @@ Value Sets: 1230 (unversioned) - #O: Occupied - #U: Unoccupied - ValueSet: http://terminology.hl7.org/ValueSet/v2-0119|2.9 + references: 0, strongest binding: - #AF: Order/service refill request approval - #CA: Cancel order/service request - #CH: Child order/service @@ -37481,12 +38138,14 @@ Value Sets: 1230 (unversioned) - #XR: Changed as requested - #XX: Order/service changed, unsol. - ValueSet: http://terminology.hl7.org/ValueSet/v2-0121|2.9 + references: 0, strongest binding: - #D: Same as R, also other associated segments - #E: Report exceptions only - #F: Same as D, plus confirmations explicitly - #N: Only the MSA segment is returned - #R: Same as E, also Replacement and Parent-Child - ValueSet: http://terminology.hl7.org/ValueSet/v2-0122|2.9 + references: 0, strongest binding: - #CH: Charge - #CO: Contract - #CR: Credit @@ -37496,6 +38155,7 @@ Value Sets: 1230 (unversioned) - #PC: Professional - #RS: Research - ValueSet: http://terminology.hl7.org/ValueSet/v2-0123|2.9 + references: 0, strongest binding: - #A: Some, but not all, results available - #C: Corrected, final - #F: Final results @@ -37510,11 +38170,13 @@ Value Sets: 1230 (unversioned) - #Y: No order on record for this test - #Z: No record of this patient - ValueSet: http://terminology.hl7.org/ValueSet/v2-0124|2.9 + references: 0, strongest binding: - #CART: Cart - patient travels on cart or gurney - #PORT: The examining device goes to patient's location - #WALK: Patient walks to diagnostic service - #WHLC: Wheelchair - ValueSet: http://terminology.hl7.org/ValueSet/v2-0125|2.9 + references: 0, strongest binding: - #AD: Address - #AUI: Authorization information - #CCD: Charge code and date @@ -37606,12 +38268,14 @@ Value Sets: 1230 (unversioned) - #XPN: Extended person name - #XTN: Extended telecommunications number - ValueSet: http://terminology.hl7.org/ValueSet/v2-0126|2.9 + references: 0, strongest binding: - #CH: Characters - #LI: Lines - #PG: Pages - #RD: Records - #ZO: Locally defined - ValueSet: http://terminology.hl7.org/ValueSet/v2-0127|2.9 + references: 0, strongest binding: - #AA: Animal Allergy - #DA: Drug allergy - #EA: Environmental Allergy @@ -37621,16 +38285,19 @@ Value Sets: 1230 (unversioned) - #MC: Miscellaneous contraindication - #PA: Plant Allergy - ValueSet: http://terminology.hl7.org/ValueSet/v2-0128|2.9 + references: 0, strongest binding: - #MI: Mild - #MO: Moderate - #SV: Severe - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0130|2.9 + references: 0, strongest binding: - #HO: Home - #MO: Mobile Unit - #PH: Phone - #TE: Teaching - ValueSet: http://terminology.hl7.org/ValueSet/v2-0131|2.9 + references: 0, strongest binding: - #C: Emergency Contact - #E: Employer - #F: Federal Agency @@ -37640,19 +38307,23 @@ Value Sets: 1230 (unversioned) - #S: State Agency - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0135|2.9 + references: 0, strongest binding: - #M: Modified assignment - #N: No - #Y: Yes - ValueSet: http://terminology.hl7.org/ValueSet/v2-0136|2.9 + references: 0, strongest binding: - #N: No - #Y: Yes - ValueSet: http://terminology.hl7.org/ValueSet/v2-0137|2.9 + references: 0, strongest binding: - #E: Employer - #G: Guarantor - #I: Insurance company - #O: Other - #P: Patient - ValueSet: http://terminology.hl7.org/ValueSet/v2-0140|2.9 + references: 0, strongest binding: - #AUSA: Australian Army - #AUSAF: Australian Air Force - #AUSN: Australian Navy @@ -37665,10 +38336,12 @@ Value Sets: 1230 (unversioned) - #USN: US Navy - #USPHS: US Public Health Service - ValueSet: http://terminology.hl7.org/ValueSet/v2-0142|2.9 + references: 0, strongest binding: - #ACT: Active duty - #DEC: Deceased - #RET: Retired - ValueSet: http://terminology.hl7.org/ValueSet/v2-0144|2.9 + references: 0, strongest binding: - #1: Insurance company - #2: Employer - #3: Insured presented policy @@ -37677,6 +38350,7 @@ Value Sets: 1230 (unversioned) - #6: Verbal information - #7: None - ValueSet: http://terminology.hl7.org/ValueSet/v2-0145|2.9 + references: 0, strongest binding: - #2ICU: Second intensive care unit - #2PRI: Second private room - #2SPR: Second semi-private room @@ -37684,49 +38358,59 @@ Value Sets: 1230 (unversioned) - #PRI: Private room - #SPR: Semi-private room - ValueSet: http://terminology.hl7.org/ValueSet/v2-0146|2.9 + references: 0, strongest binding: - #DF: Differential - #LM: Limit - #PC: Percentage - #RT: Rate - #UL: Unlimited - ValueSet: http://terminology.hl7.org/ValueSet/v2-0147|2.9 + references: 0, strongest binding: - #2ANC: Second ancillary - #2MMD: Second major medical - #3MMD: Third major medical - #ANC: Ancillary - #MMD: Major medical - ValueSet: http://terminology.hl7.org/ValueSet/v2-0148|2.9 + references: 0, strongest binding: - #AT: Currency amount - #PC: Percentage - ValueSet: http://terminology.hl7.org/ValueSet/v2-0149|2.9 + references: 0, strongest binding: - #AP: Approved - #DE: Denied - #PE: Pending - ValueSet: http://terminology.hl7.org/ValueSet/v2-0150|2.9 + references: 0, strongest binding: - #ER: Emergency - #IPE: Inpatient elective - #OPE: Outpatient elective - #UR: Urgent - ValueSet: http://terminology.hl7.org/ValueSet/v2-0155|2.9 + references: 0, strongest binding: - #AL: Always - #ER: Error/reject conditions only - #NE: Never - #SU: Successful completion only - ValueSet: http://terminology.hl7.org/ValueSet/v2-0159|2.9 + references: 0, strongest binding: - #D: Diet - #P: Preference - #S: Supplement - ValueSet: http://terminology.hl7.org/ValueSet/v2-0160|2.9 + references: 0, strongest binding: - #EARLY: Early tray - #GUEST: Guest tray - #LATE: Late tray - #MSG: Tray message only - #NO: No tray - ValueSet: http://terminology.hl7.org/ValueSet/v2-0161|2.9 + references: 0, strongest binding: - #G: Allow generic substitutions. - #N: Substitutions are NOT authorized. (This is the default - null.) - #T: Allow therapeutic substitutions - ValueSet: http://terminology.hl7.org/ValueSet/v2-0162|2.9 + references: 0, strongest binding: - #AP: Apply Externally - #B: Buccal - #DT: Dental @@ -37775,6 +38459,7 @@ Value Sets: 1230 (unversioned) - #VM: Ventimask - #WND: Wound - ValueSet: http://terminology.hl7.org/ValueSet/v2-0163|2.9 + references: 0, strongest binding: - #BE: Bilateral Ears - #BN: Bilateral Nares - #BU: Buttock @@ -37830,6 +38515,7 @@ Value Sets: 1230 (unversioned) - #RVG: Right Ventragluteal - #RVL: Right Vastus Lateralis - ValueSet: http://terminology.hl7.org/ValueSet/v2-0164|2.9 + references: 0, strongest binding: - #AP: Applicator - #BT: Buretrol - #HL: Heparin Lock @@ -37840,6 +38526,7 @@ Value Sets: 1230 (unversioned) - #NEB: Nebulizer - #PCA: PCA Pump - ValueSet: http://terminology.hl7.org/ValueSet/v2-0165|2.9 + references: 0, strongest binding: - #CH: Chew - #DI: Dissolve - #DU: Dust @@ -37856,9 +38543,11 @@ Value Sets: 1230 (unversioned) - #WA: Wash - #WI: Wipe - ValueSet: http://terminology.hl7.org/ValueSet/v2-0166|2.9 + references: 0, strongest binding: - #A: Additive - #B: Base - ValueSet: http://terminology.hl7.org/ValueSet/v2-0167|2.9 + references: 0, strongest binding: - #0: No product selection indicated - #1: Substitution not allowed by prescriber - #2: Substitution allowed - patient requested product dispensed @@ -37871,6 +38560,7 @@ Value Sets: 1230 (unversioned) - #N: No substitute was dispensed. This is equivalent to the default (null) value. - #T: A therapeutic substitution was dispensed. - ValueSet: http://terminology.hl7.org/ValueSet/v2-0168|2.9 + references: 0, strongest binding: - #A: As soon as possible (a priority lower than stat) - #B: Do at bedside or portable (may be used with other codes) - #C: Measure continuously (e.g., arterial line blood pressure) @@ -37879,22 +38569,27 @@ Value Sets: 1230 (unversioned) - #S: Stat (do immediately) - #T: Timing critical (do as near as possible to requested time) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0169|2.9 + references: 0, strongest binding: - #C: Call back results - #R: Rush reporting - ValueSet: http://terminology.hl7.org/ValueSet/v2-0170|2.9 + references: 0, strongest binding: - #C: Child Observation - #N: Not Applicable - #P: Parent Observation - ValueSet: http://terminology.hl7.org/ValueSet/v2-0173|2.9 + references: 0, strongest binding: - #CO: Coordination - #IN: Independent - ValueSet: http://terminology.hl7.org/ValueSet/v2-0174|2.9 + references: 0, strongest binding: - #A: Atomic service/test/observation (test code or treatment code) - #C: Single observation calculated via a rule or formula from other independent observations (e.g., Alveolar-arterial ratio, cardiac output) - #F: Functional procedure that may consist of one or more interrelated measures (e.g., glucose tolerance test, creatinine clearance), usually done at different times and/or on different specimens - #P: Profile or battery consisting of many independent atomic observations (e.g., SMA12, electrolytes), usually done at one instrument on one specimen - #S: Superset-a set of batteries or procedures ordered under a single code unit but processed as separate batteries (e.g., routines = CBC, UA, electrolytes)

This set indicates that the code being described is used to order multiple service/test/observation b - ValueSet: http://terminology.hl7.org/ValueSet/v2-0175|2.9 + references: 0, strongest binding: - #CDM: Charge description master file - #CLN: Clinic master file - #CMA: Clinical study with phases and scheduled master file @@ -37912,6 +38607,7 @@ Value Sets: 1230 (unversioned) - #PRA: Practitioner master file - #STF: Staff master file - ValueSet: http://terminology.hl7.org/ValueSet/v2-0177|2.9 + references: 0, strongest binding: - #AID: AIDS patient - #EMP: Employee - #ETH: Alcohol/drug treatment patient @@ -37923,26 +38619,32 @@ Value Sets: 1230 (unversioned) - #V: Very restricted - #VIP: Very important person or celebrity - ValueSet: http://terminology.hl7.org/ValueSet/v2-0178|2.9 + references: 0, strongest binding: - #REP: Replace current version of this master file with the version contained in this message - #UPD: Change file records as defined in the record-level event codes for each record that follows - ValueSet: http://terminology.hl7.org/ValueSet/v2-0179|2.9 + references: 0, strongest binding: - #AL: Always. All MFA segments (whether denoting errors or not) must be returned via the application-level acknowledgment message - #ER: Error/Reject conditions only. Only MFA segments denoting errors must be returned via the application-level acknowledgment for this message - #NE: Never. No application-level response needed - #SU: Success. Only MFA segments denoting success must be returned via the application-level acknowledgment for this message - ValueSet: http://terminology.hl7.org/ValueSet/v2-0180|2.9 + references: 0, strongest binding: - #MAC: Reactivate deactivated record - #MAD: Add record to master file - #MDC: Deactivate: discontinue using record in master file, but do not delete from database - #MDL: Delete record from master file - #MUP: Update record for master file - ValueSet: http://terminology.hl7.org/ValueSet/v2-0181|2.9 + references: 0, strongest binding: - #S: Successful posting of the record defined by the MFE segment - #U: Unsuccessful posting of the record defined by the MFE segment - ValueSet: http://terminology.hl7.org/ValueSet/v2-0183|2.9 + references: 0, strongest binding: - #A: Active Staff - #I: Inactive Staff - ValueSet: http://terminology.hl7.org/ValueSet/v2-0185|2.9 + references: 0, strongest binding: - #B: Beeper Number - #C: Cellular Phone Number - #E: E-Mail Address (for backward compatibility) @@ -37950,13 +38652,16 @@ Value Sets: 1230 (unversioned) - #H: Home Phone Number - #O: Office Phone Number - ValueSet: http://terminology.hl7.org/ValueSet/v2-0187|2.9 + references: 0, strongest binding: - #I: Institution bills for provider - #P: Provider does own billing - ValueSet: http://terminology.hl7.org/ValueSet/v2-0189|2.9 + references: 0, strongest binding: - #H: Hispanic or Latino - #N: Not Hispanic or Latino - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0190|2.9 + references: 0, strongest binding: - #B: Firm/Business - #BA: Bad address - #BDL: Birth delivery location (address where birth occurred) @@ -37976,6 +38681,7 @@ Value Sets: 1230 (unversioned) - #TM: Tube Address - #V: Vacation - ValueSet: http://terminology.hl7.org/ValueSet/v2-0191|2.9 + references: 0, strongest binding: - #AP: Other application data, typically uninterpreted binary data (HL7 V2.3 and later) - #AU: Audio data (HL7 V2.3 and later) - #FT: Formatted text (HL7 V2.2 only) @@ -37987,11 +38693,13 @@ Value Sets: 1230 (unversioned) - #TEXT: Machine readable text document (HL7 V2.3.1 and later) - #TX: Machine readable text document (HL7 V2.2 only) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0193|2.9 + references: 0, strongest binding: - #AT: Amount - #LM: Limit - #PC: Percentage - #UL: Unlimited - ValueSet: http://terminology.hl7.org/ValueSet/v2-0200|2.9 + references: 0, strongest binding: - #A: Assigned - #B: Birth name - #BAD: Bad Name @@ -38015,6 +38723,7 @@ Value Sets: 1230 (unversioned) - #TEMP: Temporary Name - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0201|2.9 + references: 0, strongest binding: - #ASN: Answering Service Number - #BPN: Beeper Number - #EMR: Emergency Number @@ -38025,6 +38734,7 @@ Value Sets: 1230 (unversioned) - #VHN: Vacation Home Number - #WPN: Work Number - ValueSet: http://terminology.hl7.org/ValueSet/v2-0202|2.9 + references: 0, strongest binding: - #BP: Beeper - #CP: Cellular or Mobile Phone - #FX: Fax @@ -38036,6 +38746,7 @@ Value Sets: 1230 (unversioned) - #TTY: Teletypewriter - #X.400: X.400 email address - ValueSet: http://terminology.hl7.org/ValueSet/v2-0203|2.9 + references: 0, strongest binding: - #AC: Accreditation/Certification Identifier - #ACSN: Accession ID - #AM: American Express @@ -38164,11 +38875,13 @@ Value Sets: 1230 (unversioned) - #XV: Health Plan Identifier - #XX: Organization identifier - ValueSet: http://terminology.hl7.org/ValueSet/v2-0204|2.9 + references: 0, strongest binding: - #A: Alias name - #D: Display name - #L: Legal name - #SL: Stock exchange listing name - ValueSet: http://terminology.hl7.org/ValueSet/v2-0205|2.9 + references: 0, strongest binding: - #AP: administrative price or handling fee - #DC: direct unit cost - #IC: indirect unit cost @@ -38177,18 +38890,21 @@ Value Sets: 1230 (unversioned) - #TP: total price - #UP: unit price, may be based on length of procedure or service - ValueSet: http://terminology.hl7.org/ValueSet/v2-0206|2.9 + references: 0, strongest binding: - #A: Add/Insert - #D: Delete - #S: Used in Snapshot mode - #U: Update - #X: No Change - ValueSet: http://terminology.hl7.org/ValueSet/v2-0207|2.9 + references: 0, strongest binding: - #A: Archive - #I: Initial load - #Not present: Not present (the default, meaning current processing) - #R: Restore from archive - #T: Current processing, transmitted at intervals (scheduled or on demand) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0208|2.9 + references: 0, strongest binding: - #AE: Application error - #AR: Application reject - #NF: No data found, no errors @@ -38196,6 +38912,7 @@ Value Sets: 1230 (unversioned) - #PD: Protected data - #TM: Too much data found - ValueSet: http://terminology.hl7.org/ValueSet/v2-0209|2.9 + references: 0, strongest binding: - #CT: Contains - #EQ: Equal - #GE: Greater than or equal @@ -38205,9 +38922,11 @@ Value Sets: 1230 (unversioned) - #LT: Less than - #NE: Not Equal - ValueSet: http://terminology.hl7.org/ValueSet/v2-0210|2.9 + references: 0, strongest binding: - #AND: Default - #OR: - ValueSet: http://terminology.hl7.org/ValueSet/v2-0211|2.9 + references: 0, strongest binding: - #8859/1: The printable characters from the ISO 8859/1 Character set - #8859/15: The printable characters from the ISO 8859/15 (Latin-15) - #8859/2: The printable characters from the ISO 8859/2 Character set @@ -38230,28 +38949,34 @@ Value Sets: 1230 (unversioned) - #UNICODE: The world wide character standard from ISO/IEC 10646-1-1993 - #UNICODE UTF-8: UCS Transformation Format, 8-bit form - ValueSet: http://terminology.hl7.org/ValueSet/v2-0213|2.9 + references: 0, strongest binding: - #D: The visit is marked for deletion and the user cannot enter new data against it. - #I: The visit is marked inactive and the user cannot enter new data against it. - #P: Marked for purge. User is no longer able to update the visit. - ValueSet: http://terminology.hl7.org/ValueSet/v2-0214|2.9 + references: 0, strongest binding: - #CH: Child Health Assistance - #ES: Elective Surgery Program - #FP: Family Planning - #O: Other - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0215|2.9 + references: 0, strongest binding: - #F: Family only - #N: No Publicity - #O: Other - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0216|2.9 + references: 0, strongest binding: - #AI: Active Inpatient - #DI: Discharged Inpatient - ValueSet: http://terminology.hl7.org/ValueSet/v2-0217|2.9 + references: 0, strongest binding: - #1: Emergency - #2: Urgent - #3: Elective - ValueSet: http://terminology.hl7.org/ValueSet/v2-0220|2.9 + references: 0, strongest binding: - #A: Alone - #F: Family - #I: Institution @@ -38259,20 +38984,24 @@ Value Sets: 1230 (unversioned) - #S: Spouse Only - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0223|2.9 + references: 0, strongest binding: - #C: Small Children Dependent - #M: Medical Supervision Required - #O: Other - #S: Spouse Dependent - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0224|2.9 + references: 0, strongest binding: - #A: Arranged - #N: Not Arranged - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0225|2.9 + references: 0, strongest binding: - #N: Not Required - #R: Required - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0228|2.9 + references: 0, strongest binding: - #C: Consultation - #D: Diagnosis - #I: Invasive procedure not classified elsewhere (I.V., catheter, etc.) @@ -38282,21 +39011,26 @@ Value Sets: 1230 (unversioned) - #S: Sign and symptom - #T: Tissue diagnosis - ValueSet: http://terminology.hl7.org/ValueSet/v2-0229|2.9 + references: 0, strongest binding: - #...: No suggested values defined - ValueSet: http://terminology.hl7.org/ValueSet/v2-0230|2.9 + references: 0, strongest binding: - #A: Anesthesia - #D: Diagnostic procedure - #I: Invasive procedure not classified elsewhere (e.g., IV, catheter, etc.) - #P: Procedure for treatment (therapeutic, including operations) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0231|2.9 + references: 0, strongest binding: - #F: Full-time student - #N: Not a student - #P: Part-time student - ValueSet: http://terminology.hl7.org/ValueSet/v2-0232|2.9 + references: 0, strongest binding: - #01: Medicare claim status - #02: Medicaid claim status - #03: Name/address change - ValueSet: http://terminology.hl7.org/ValueSet/v2-0234|2.9 + references: 0, strongest binding: - #10D: 10 day report - #15D: 15 day report - #30D: 30 day report @@ -38308,6 +39042,7 @@ Value Sets: 1230 (unversioned) - #PD: Periodic - #RQ: Requested information - ValueSet: http://terminology.hl7.org/ValueSet/v2-0235|2.9 + references: 0, strongest binding: - #C: Clinical trial - #D: Database/registry/poison control center - #E: Distributor @@ -38319,11 +39054,13 @@ Value Sets: 1230 (unversioned) - #P: Patient - #R: Regulatory agency - ValueSet: http://terminology.hl7.org/ValueSet/v2-0236|2.9 + references: 0, strongest binding: - #D: Distributor - #L: Local facility/user facility - #M: Manufacturer - #R: Regulatory agency - ValueSet: http://terminology.hl7.org/ValueSet/v2-0237|2.9 + references: 0, strongest binding: - #A: Abuse - #B: Unexpected beneficial effect - #D: Dependency @@ -38333,14 +39070,17 @@ Value Sets: 1230 (unversioned) - #O: Overdose - #W: Drug withdrawal - ValueSet: http://terminology.hl7.org/ValueSet/v2-0238|2.9 + references: 0, strongest binding: - #N: No - #S: Significant - #Y: Yes - ValueSet: http://terminology.hl7.org/ValueSet/v2-0239|2.9 + references: 0, strongest binding: - #N: No - #U: Unknown - #Y: Yes - ValueSet: http://terminology.hl7.org/ValueSet/v2-0240|2.9 + references: 0, strongest binding: - #C: Congenital anomaly/birth defect - #D: Death - #H: Caused hospitalized @@ -38351,6 +39091,7 @@ Value Sets: 1230 (unversioned) - #P: Prolonged hospitalization - #R: Required intervention to prevent permanent impairment/damage - ValueSet: http://terminology.hl7.org/ValueSet/v2-0241|2.9 + references: 0, strongest binding: - #D: Died - #F: Fully recovered - #N: Not recovering/unchanged @@ -38359,6 +39100,7 @@ Value Sets: 1230 (unversioned) - #U: Unknown - #W: Worsening - ValueSet: http://terminology.hl7.org/ValueSet/v2-0242|2.9 + references: 0, strongest binding: - #C: Health care consumer/patient - #H: Other health professional - #L: Lawyer/attorney @@ -38367,10 +39109,12 @@ Value Sets: 1230 (unversioned) - #P: Physician (osteopath, homeopath) - #R: Pharmacist - ValueSet: http://terminology.hl7.org/ValueSet/v2-0243|2.9 + references: 0, strongest binding: - #N: No - #NA: Not applicable - #Y: Yes - ValueSet: http://terminology.hl7.org/ValueSet/v2-0247|2.9 + references: 0, strongest binding: - #A: Evaluation anticipated, but not yet begun - #C: Product received in condition which made analysis impossible - #D: Product discarded -- unable to follow up @@ -38384,17 +39128,20 @@ Value Sets: 1230 (unversioned) - #X: Product not made by company - #Y: Evaluation completed - ValueSet: http://terminology.hl7.org/ValueSet/v2-0248|2.9 + references: 0, strongest binding: - #A: Actual product involved in incident was evaluated - #L: A product from the same lot as the actual product involved was evaluated - #N: A product from a controlled/non-related inventory was evaluated - #R: A product from a reserve sample was evaluated - ValueSet: http://terminology.hl7.org/ValueSet/v2-0250|2.9 + references: 0, strongest binding: - #H: Highly probable - #I: Improbable - #M: Moderately probable - #N: Not related - #S: Somewhat probable - ValueSet: http://terminology.hl7.org/ValueSet/v2-0251|2.9 + references: 0, strongest binding: - #DI: Product dose or frequency of use increased - #DR: Product dose or frequency of use reduced - #N: None @@ -38402,6 +39149,7 @@ Value Sets: 1230 (unversioned) - #WP: Product withdrawn permanently - #WT: Product withdrawn temporarily - ValueSet: http://terminology.hl7.org/ValueSet/v2-0252|2.9 + references: 0, strongest binding: - #AW: Abatement of event after product withdrawn - #BE: Event recurred after product reintroduced - #DR: Dose response observed @@ -38414,12 +39162,14 @@ Value Sets: 1230 (unversioned) - #SE: Similar events in past for this patient - #TC: Toxic levels of product documented in blood or body fluids - ValueSet: http://terminology.hl7.org/ValueSet/v2-0253|2.9 + references: 0, strongest binding: - #B: Breast milk - #F: Father - #O: Other - #P: Transplacental - #X: Blood product - ValueSet: http://terminology.hl7.org/ValueSet/v2-0254|2.9 + references: 0, strongest binding: - #ABS: Absorbance - #ACNC: Concentration, Arbitrary Substance - #ACT: Activity @@ -38523,6 +39273,7 @@ Value Sets: 1230 (unversioned) - #VRAT: Volume Rate - #VRTO: Volume Ratio - ValueSet: http://terminology.hl7.org/ValueSet/v2-0255|2.9 + references: 0, strongest binding: - #*: (asterisk) Life of the "unit" - #12H: 12 hours - #1H: 1 hour @@ -38551,6 +39302,7 @@ Value Sets: 1230 (unversioned) - #LU: Life of the "unit" - #PT: point in time - ValueSet: http://terminology.hl7.org/ValueSet/v2-0256|2.9 + references: 0, strongest binding: - #10D: 10 days - #10M: 10 minutes post challenge - #12H: 12 hours post challenge @@ -38596,15 +39348,18 @@ Value Sets: 1230 (unversioned) - #RANDOM: Time from the challenge, or dose not specified. (random) - #TROUGH: The time post drug dose at which the lowest drug level is reached (varies with drug) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0257|2.9 + references: 0, strongest binding: - #CFST: Fasting (no calorie intake) for the period specified in the time component of the term, e.g., 1H POST CFST - #EXCZ: Exercise undertaken as challenge (can be quantified) - #FFST: No fluid intake for the period specified in the time component of the term - ValueSet: http://terminology.hl7.org/ValueSet/v2-0258|2.9 + references: 0, strongest binding: - #BPU: Blood product unit - #CONTROL: Control - #DONOR: Donor - #PATIENT: Patient - ValueSet: http://terminology.hl7.org/ValueSet/v2-0260|2.9 + references: 0, strongest binding: - #B: Bed - #C: Clinic - #D: Department @@ -38614,6 +39369,7 @@ Value Sets: 1230 (unversioned) - #O: Operating Room - #R: Room - ValueSet: http://terminology.hl7.org/ValueSet/v2-0261|2.9 + references: 0, strongest binding: - #EEG: Electro-Encephalogram - #EKG: Electro-Cardiogram - #INF: Infusion pump @@ -38623,6 +39379,7 @@ Value Sets: 1230 (unversioned) - #VEN: Ventilator - #VIT: Vital signs monitor - ValueSet: http://terminology.hl7.org/ValueSet/v2-0262|2.9 + references: 0, strongest binding: - #F: Isolation - #J: Private room - medically justified - #P: Private room @@ -38630,6 +39387,7 @@ Value Sets: 1230 (unversioned) - #S: Semi-private room - #W: Ward - ValueSet: http://terminology.hl7.org/ValueSet/v2-0263|2.9 + references: 0, strongest binding: - #A: Ambulatory - #C: Critical care - #E: Emergency @@ -38638,6 +39396,7 @@ Value Sets: 1230 (unversioned) - #R: Routine - #S: Surgery - ValueSet: http://terminology.hl7.org/ValueSet/v2-0265|2.9 + references: 0, strongest binding: - #ALC: Allergy - #AMB: Ambulatory - #CAN: Cancer @@ -38665,6 +39424,7 @@ Value Sets: 1230 (unversioned) - #SUR: Surgery - #WIC: Walk-in clinic - ValueSet: http://terminology.hl7.org/ValueSet/v2-0267|2.9 + references: 0, strongest binding: - #FRI: Friday - #MON: Monday - #SAT: Saturday @@ -38673,13 +39433,16 @@ Value Sets: 1230 (unversioned) - #TUE: Tuesday - #WED: Wednesday - ValueSet: http://terminology.hl7.org/ValueSet/v2-0268|2.9 + references: 0, strongest binding: - #A: Override allowed - #R: Override required - #X: Override not allowed - ValueSet: http://terminology.hl7.org/ValueSet/v2-0269|2.9 + references: 0, strongest binding: - #O: Charge on Order - #R: Charge on Result - ValueSet: http://terminology.hl7.org/ValueSet/v2-0270|2.9 + references: 0, strongest binding: - #AR: Autopsy report - #CD: Cardiodiagnostics - #CN: Consultation @@ -38695,6 +39458,7 @@ Value Sets: 1230 (unversioned) - #SP: Surgical pathology - #TS: Transfer summary - ValueSet: http://terminology.hl7.org/ValueSet/v2-0271|2.9 + references: 0, strongest binding: - #AU: Authenticated - #DI: Dictated - #DO: Documented @@ -38703,30 +39467,36 @@ Value Sets: 1230 (unversioned) - #LA: Legally authenticated - #PA: Pre-authenticated - ValueSet: http://terminology.hl7.org/ValueSet/v2-0272|2.9 + references: 0, strongest binding: - #R: Restricted - #U: Usual control - #V: Very restricted - ValueSet: http://terminology.hl7.org/ValueSet/v2-0273|2.9 + references: 0, strongest binding: - #AV: Available for patient care - #CA: Deleted - #OB: Obsolete - #UN: Unavailable for patient care - ValueSet: http://terminology.hl7.org/ValueSet/v2-0275|2.9 + references: 0, strongest binding: - #AA: Active and archived - #AC: Active - #AR: Archived (not active) - #PU: Purged - ValueSet: http://terminology.hl7.org/ValueSet/v2-0276|2.9 + references: 2, strongest binding: Preferred - #CHECKUP: A routine check-up, such as an annual physical - #EMERGENCY: Emergency appointment - #FOLLOWUP: A follow up visit from a previous appointment - #ROUTINE: Routine appointment - default if not valued - #WALKIN: A previously unscheduled walk-in visit - ValueSet: http://terminology.hl7.org/ValueSet/v2-0277|2.9 + references: 0, strongest binding: - #Complete: A request to add a completed appointment, used to maintain records of completed appointments that did not appear in the schedule (e.g., STAT, walk-in, etc.) - #Normal: Routine schedule request type – default if not valued - #Tentative: A request for a tentative (e.g., “penciled in”) appointment - ValueSet: http://terminology.hl7.org/ValueSet/v2-0278|2.9 + references: 0, strongest binding: - #Blocked: Blocked - #Booked: Booked - #Cancelled: Cancelled @@ -38740,15 +39510,18 @@ Value Sets: 1230 (unversioned) - #Started: Started - #Waitlist: Waitlist - ValueSet: http://terminology.hl7.org/ValueSet/v2-0279|2.9 + references: 0, strongest binding: - #Confirm: Contact the Placer Contact Person prior to making any substitutions of this resource - #No: Substitution of this resource is not allowed - #Notify: Notify the Placer Contact Person, through normal institutional procedures, that a substitution of this resource has been made - #Yes: Substitution of this resource is allowed - ValueSet: http://terminology.hl7.org/ValueSet/v2-0280|2.9 + references: 0, strongest binding: - #A: ASAP - #R: Routine - #S: STAT - ValueSet: http://terminology.hl7.org/ValueSet/v2-0281|2.9 + references: 0, strongest binding: - #Hom: Home Care - #Lab: Laboratory - #Med: Medical @@ -38756,26 +39529,31 @@ Value Sets: 1230 (unversioned) - #Rad: Radiology - #Skn: Skilled Nursing - ValueSet: http://terminology.hl7.org/ValueSet/v2-0282|2.9 + references: 0, strongest binding: - #AM: Assume Management - #RP: Return Patient After Evaluation - #SO: Second Opinion - #WR: Send Written Report - ValueSet: http://terminology.hl7.org/ValueSet/v2-0283|2.9 + references: 0, strongest binding: - #A: Accepted - #E: Expired - #P: Pending - #R: Rejected - ValueSet: http://terminology.hl7.org/ValueSet/v2-0284|2.9 + references: 0, strongest binding: - #A: Ambulatory - #E: Emergency - #I: Inpatient - #O: Outpatient - ValueSet: http://terminology.hl7.org/ValueSet/v2-0286|2.9 + references: 0, strongest binding: - #CP: Consulting Provider - #PP: Primary Care Provider - #RP: Referring Provider - #RT: Referred to Provider - ValueSet: http://terminology.hl7.org/ValueSet/v2-0287|2.9 + references: 0, strongest binding: - #AD: ADD - #CO: CORRECT - #DE: DELETE @@ -38785,6 +39563,7 @@ Value Sets: 1230 (unversioned) - #UN: UNLINK - #UP: UPDATE - ValueSet: http://terminology.hl7.org/ValueSet/v2-0291|2.9 + references: 0, strongest binding: - #BASIC: ISDN PCM audio data - #DICOM: Digital Imaging and Communications in Medicine - #FAX: Facsimile data @@ -38801,6 +39580,7 @@ Value Sets: 1230 (unversioned) - #x-hl7-cda-level-one: HL7 Clinical Document Architecture Level One document - #XML: Extensible Markup Language (HL7 V2.3.1 and later) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0294|2.9 + references: 0, strongest binding: - #Fri: An indicator that Friday is or is not preferred for the day on which the appointment will occur. - #Mon: An indicator that Monday is or is not preferred for the day on which the appointment will occur. - #Prefend: An indicator that there is a preferred end time for the appointment request, service or resource. @@ -38811,13 +39591,16 @@ Value Sets: 1230 (unversioned) - #Tue: An indicator that Tuesday is or is not preferred for the day on which the appointment will occur. - #Wed: An indicator that Wednesday is or is not preferred for the day on which the appointment will occur. - ValueSet: http://terminology.hl7.org/ValueSet/v2-0298|2.9 + references: 0, strongest binding: - #F: Flat-rate. Apply the entire price to this interval, do not pro-rate the price if the full interval has not occurred/been consumed - #P: Pro-rate. Apply this price to this interval, pro-rated by whatever portion of the interval has occurred/been consumed - ValueSet: http://terminology.hl7.org/ValueSet/v2-0299|2.9 + references: 0, strongest binding: - #A: No encoding - data are displayable ASCII characters. - #Base64: Encoding as defined by MIME (Multipurpose Internet Mail Extensions) standard RFC 1521. Four consecutive ASCII characters represent three consecutive octets of binary data. Base64 utilizes a 65-character subset of US-ASCII, consisting of both the upper and - #Hex: Hexadecimal encoding - consecutive pairs of hexadecimal digits represent consecutive single octets. - ValueSet: http://terminology.hl7.org/ValueSet/v2-0301|2.9 + references: 0, strongest binding: - #CAP: College of American Pathologist Accreditation Number - #CLIA: Clinical Laboratory Improvement Amendments - #CLIP: Clinical laboratory Improvement Program @@ -38838,6 +39621,7 @@ Value Sets: 1230 (unversioned) - #x400: X.400 MHS identifier - #x500: X500 directory Name - ValueSet: http://terminology.hl7.org/ValueSet/v2-0305|2.9 + references: 0, strongest binding: - #C: Clinic - #D: Department - #H: Home @@ -38846,22 +39630,26 @@ Value Sets: 1230 (unversioned) - #P: Phone - #S: SNF - ValueSet: http://terminology.hl7.org/ValueSet/v2-0309|2.9 + references: 0, strongest binding: - #B: Both hospital and physician - #H: Hospital/institutional - #P: Physician/professional - #RX: Pharmacy - ValueSet: http://terminology.hl7.org/ValueSet/v2-0311|2.9 + references: 0, strongest binding: - #O: Other - #P: Permanent - #T: Temporary - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0315|2.9 + references: 0, strongest binding: - #F: Yes, patient has a living will but it is not on file - #I: No, patient does not have a living will but information was provided - #N: No, patient does not have a living will and no information was provided - #U: Unknown - #Y: Yes, patient has a living will - ValueSet: http://terminology.hl7.org/ValueSet/v2-0316|2.9 + references: 0, strongest binding: - #F: Yes, patient is a documented donor, but documentation is not on file - #I: No, patient is not a documented donor, but information was provided - #N: No, patient has not agreed to be a donor @@ -38870,22 +39658,26 @@ Value Sets: 1230 (unversioned) - #U: Unknown - #Y: Yes, patient is a documented donor and documentation is on file - ValueSet: http://terminology.hl7.org/ValueSet/v2-0317|2.9 + references: 0, strongest binding: - #9900: Pace spike - #9901: SAS marker - #9902: Sense marker - #9903: Beat marker - #9904: etc. - ValueSet: http://terminology.hl7.org/ValueSet/v2-0321|2.9 + references: 0, strongest binding: - #AD: Automatic Dispensing - #F: Floor Stock - #TR: Traditional - #UD: Unit Dose - ValueSet: http://terminology.hl7.org/ValueSet/v2-0322|2.9 + references: 0, strongest binding: - #CP: Complete - #NA: Not Administered - #PA: Partially Administered - #RE: Refused - ValueSet: http://terminology.hl7.org/ValueSet/v2-0324|2.9 + references: 0, strongest binding: - #GEN: Gender of patient(s) - #IMP: Implant: can be used for radiation implant patients - #INF: Infectious disease: this location can be used for isolation @@ -38899,6 +39691,7 @@ Value Sets: 1230 (unversioned) - #STF: Bed is staffed - #TEA: Teaching location - ValueSet: http://terminology.hl7.org/ValueSet/v2-0325|2.9 + references: 0, strongest binding: - #ALI: Location Alias(es) - #DTY: Nearest dietary location - #LAB: Nearest lab @@ -38907,12 +39700,15 @@ Value Sets: 1230 (unversioned) - #RX: Nearest pharmacy - #RX2: Second nearest pharmacy - ValueSet: http://terminology.hl7.org/ValueSet/v2-0326|2.9 + references: 0, strongest binding: - #A: Account level - #V: Visit level - ValueSet: http://terminology.hl7.org/ValueSet/v2-0329|2.9 + references: 0, strongest binding: - #A: Actual count - #E: Estimated (see comment) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0330|2.9 + references: 0, strongest binding: - #510E: 510 (K) exempt - #510K: 510 (K) - #522S: Post marketing study (522) @@ -38920,19 +39716,23 @@ Value Sets: 1230 (unversioned) - #PRE: Preamendment - #TXN: Transitional - ValueSet: http://terminology.hl7.org/ValueSet/v2-0331|2.9 + references: 0, strongest binding: - #A: Agent for a foreign manufacturer - #D: Distributor - #M: Manufacturer - #U: User - ValueSet: http://terminology.hl7.org/ValueSet/v2-0332|2.9 + references: 0, strongest binding: - #A: Accept - #I: Initiate - ValueSet: http://terminology.hl7.org/ValueSet/v2-0334|2.9 + references: 0, strongest binding: - #AP: Associated party - #GT: Guarantor - #IN: Insured - #PT: Patient - ValueSet: http://terminology.hl7.org/ValueSet/v2-0335|2.9 + references: 0, strongest binding: - #A: Ante (before) - #BID: twice a day at institution-specified times - #C: service is provided continuously between start time and stop time @@ -38962,14 +39762,17 @@ Value Sets: 1230 (unversioned) - #V: Cibus Vespertinus (dinner) - #xID: "X" times per day at institution-specified times, where X is a numeral 5 or greater. - ValueSet: http://terminology.hl7.org/ValueSet/v2-0336|2.9 + references: 0, strongest binding: - #O: Provider Ordered - #P: Patient Preference - #S: Second Opinion - #W: Work Load - ValueSet: http://terminology.hl7.org/ValueSet/v2-0337|2.9 + references: 0, strongest binding: - #C: Certified - #E: Eligible - ValueSet: http://terminology.hl7.org/ValueSet/v2-0338|2.9 + references: 0, strongest binding: - #CY: County number - #DEA: Drug Enforcement Agency no. - #GL: General ledger number @@ -38983,11 +39786,13 @@ Value Sets: 1230 (unversioned) - #TRL: Training license number - #UPIN: Unique physician ID no. - ValueSet: http://terminology.hl7.org/ValueSet/v2-0339|2.9 + references: 0, strongest binding: - #1: Service is subject to medical necessity procedures - #2: Patient has been informed of responsibility, and agrees to pay for service - #3: Patient has been informed of responsibility, and asks that the payer be billed - #4: Advanced Beneficiary Notice has not been signed - ValueSet: http://terminology.hl7.org/ValueSet/v2-0344|2.9 + references: 0, strongest binding: - #01: Patient is insured - #02: Spouse - #03: Natural child/insured financial responsibility @@ -39008,14 +39813,18 @@ Value Sets: 1230 (unversioned) - #18: Parent - #19: Grandparent - ValueSet: http://terminology.hl7.org/ValueSet/v2-0350|2.9 + references: 0, strongest binding: - #...: Use NUBC codes - ValueSet: http://terminology.hl7.org/ValueSet/v2-0351|2.9 + references: 0, strongest binding: - #...: use NUBC codes - ValueSet: http://terminology.hl7.org/ValueSet/v2-0353|2.9 + references: 0, strongest binding: - #NA: not applicable - #NASK: not asked - #NAV: temporarily unavailable - ValueSet: http://terminology.hl7.org/ValueSet/v2-0354|2.9 + references: 0, strongest binding: - #ACK: Varies - #ADR_A19: - #ADT_A01: A01, A04, A08, A13 @@ -39230,14 +40039,17 @@ Value Sets: 1230 (unversioned) - #UDM_Q05: Q05 - #VXU_V04: V04 - ValueSet: http://terminology.hl7.org/ValueSet/v2-0355|2.9 + references: 0, strongest binding: - #CE: Coded element - #CWE: Coded with Exceptions - #PL: Person location - ValueSet: http://terminology.hl7.org/ValueSet/v2-0356|2.9 + references: 0, strongest binding: - #: This is the default, indicating that there is no character set switching occurring in this message. - #2.3: The character set switching mode specified in HL7 2.5, section 2.7.2 and section 2.A.46, "XPN - extended person name". - #ISO 2022-1994: This standard is titled "Information Technology - Character Code Structure and Extension Technique". . - ValueSet: http://terminology.hl7.org/ValueSet/v2-0357|2.9 + references: 0, strongest binding: - #0: Message accepted - #100: Segment sequence error - #101: Required field missing @@ -39255,14 +40067,17 @@ Value Sets: 1230 (unversioned) - #206: Application record locked - #207: Application error - ValueSet: http://terminology.hl7.org/ValueSet/v2-0359|2.9 + references: 0, strongest binding: - #0: Not included in diagnosis ranking - #1: The primary diagnosis - #2: For secondary diagnosis - #3: For tertiary diagnosis - #4: For quaternary diagnosis - ValueSet: http://terminology.hl7.org/ValueSet/v2-0363|2.9 + references: 0, strongest binding: - #...: No suggested values defined - ValueSet: http://terminology.hl7.org/ValueSet/v2-0364|2.9 + references: 0, strongest binding: - #1R: Primary Reason - #2R: Secondary Reason - #AI: Ancillary Instructions @@ -39272,6 +40087,7 @@ Value Sets: 1230 (unversioned) - #PI: Patient Instructions - #RE: Remark - ValueSet: http://terminology.hl7.org/ValueSet/v2-0365|2.9 + references: 0, strongest binding: - #CL: Clearing - #CO: Configuring - #DI: Diagnose @@ -39291,14 +40107,17 @@ Value Sets: 1230 (unversioned) - #TS: Transport stopped - #UNK: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0366|2.9 + references: 0, strongest binding: - #L: Local - #R: Remote - ValueSet: http://terminology.hl7.org/ValueSet/v2-0367|2.9 + references: 0, strongest binding: - #C: Critical - #N: Normal - #S: Serious - #W: Warning - ValueSet: http://terminology.hl7.org/ValueSet/v2-0368|2.9 + references: 0, strongest binding: - #AB: Abort - #AF: Aliquot From container - #AT: Aliquot To container @@ -39321,6 +40140,7 @@ Value Sets: 1230 (unversioned) - #UC: Unlock - #UN: Unload - ValueSet: http://terminology.hl7.org/ValueSet/v2-0369|2.9 + references: 0, strongest binding: - #B: Blind Sample - #C: Calibrator, used for initial setting of calibration - #E: Electronic QC, used with manufactured reference providing signals that simulate QC results @@ -39333,6 +40153,7 @@ Value Sets: 1230 (unversioned) - #R: Replicate (of patient sample as a control) - #V: Verifying Calibrator, used for periodic calibration checks - ValueSet: http://terminology.hl7.org/ValueSet/v2-0370|2.9 + references: 0, strongest binding: - #A: Archived - #I: Identified - #L: Left Equipment @@ -39343,6 +40164,7 @@ Value Sets: 1230 (unversioned) - #U: Unknown - #X: Container Unavailable - ValueSet: http://terminology.hl7.org/ValueSet/v2-0371|2.9 + references: 2, strongest binding: Example - #ACDA: ACD Solution A - #ACDB: ACD Solution B - #ACET: Acetic Acid @@ -39401,6 +40223,7 @@ Value Sets: 1230 (unversioned) - #VIRTM: Viral Transport medium - #WEST: Buffered Citrate (Westergren Sedimentation Rate) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0372|2.9 + references: 0, strongest binding: - #BLD: Whole blood, homogeneous - #BSEP: Whole blood, separated - #PLAS: Plasma, NOS (not otherwise specified) @@ -39410,6 +40233,7 @@ Value Sets: 1230 (unversioned) - #SER: Serum, NOS (not otherwise specified) - #SUP: Supernatant - ValueSet: http://terminology.hl7.org/ValueSet/v2-0373|2.9 + references: 0, strongest binding: - #ACID: Acidification - #ALK: Alkalization - #DEFB: Defibrination @@ -39419,11 +40243,14 @@ Value Sets: 1230 (unversioned) - #RECA: Recalification - #UFIL: Ultrafiltration - ValueSet: http://terminology.hl7.org/ValueSet/v2-0374|2.9 + references: 0, strongest binding: - #CNTM: Present, type of contamination unspecified - ValueSet: http://terminology.hl7.org/ValueSet/v2-0375|2.9 + references: 0, strongest binding: - #FLUR: Fluorocarbons - #SFHB: Stromal free hemoglobin preparations - ValueSet: http://terminology.hl7.org/ValueSet/v2-0376|2.9 + references: 0, strongest binding: - #AMB: Ambient temperature - #C37: Body temperature - #CAMB: Critical ambient temperature @@ -39442,9 +40269,11 @@ Value Sets: 1230 (unversioned) - #UFRZ: Ultra frozen - #UPR: Upright - ValueSet: http://terminology.hl7.org/ValueSet/v2-0377|2.9 + references: 0, strongest binding: - #A60: Opened container, indoor atmosphere, 60 minutes duration - #ATM: Opened container, atmosphere and duration unspecified - ValueSet: http://terminology.hl7.org/ValueSet/v2-0383|2.9 + references: 0, strongest binding: - #CE: Calibration Error - #CW: Calibration Warning - #EE: Expired Error @@ -39457,6 +40286,7 @@ Value Sets: 1230 (unversioned) - #QE: QC Error - #QW: QC Warning - ValueSet: http://terminology.hl7.org/ValueSet/v2-0384|2.9 + references: 0, strongest binding: - #CO: Control Reagent - #DI: Diluent - #LI: Measurable Liquid Item @@ -39470,58 +40300,71 @@ Value Sets: 1230 (unversioned) - #SR: Single Test Reagent - #SW: Solid Waste - ValueSet: http://terminology.hl7.org/ValueSet/v2-0387|2.9 + references: 0, strongest binding: - #ER: Command cannot be completed because of error condition - #OK: Command completed successfully - #ST: Command cannot be completed because of the status of the requested equipment - #TI: Command cannot be completed within requested completion time - #UN: Command cannot be completed for unknown reasons - ValueSet: http://terminology.hl7.org/ValueSet/v2-0388|2.9 + references: 0, strongest binding: - #E: Evaluation - #P: Regular Production - ValueSet: http://terminology.hl7.org/ValueSet/v2-0389|2.9 + references: 0, strongest binding: - #D: Repeated with dilution - #F: Reflex test - #O: Original, first run - #R: Repeated without dilution - ValueSet: http://terminology.hl7.org/ValueSet/v2-0392|2.9 + references: 0, strongest binding: - #DB: Match on Date of Birth - #NA: Match on Name (Alpha Match) - #NP: Match on Name (Phonetic Match) - #SS: Match on Social Security Number - ValueSet: http://terminology.hl7.org/ValueSet/v2-0393|2.9 + references: 0, strongest binding: - #LINKSOFT_2.01: Proprietary algorithm for LinkSoft v2.01 - #MATCHWARE_1.2: Proprietary algorithm for MatchWare v1.2 - ValueSet: http://terminology.hl7.org/ValueSet/v2-0394|2.9 + references: 0, strongest binding: - #B: Batch - #R: Real Time - #T: Bolus (a series of responses sent at the same time without use of batch formatting) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0395|2.9 + references: 0, strongest binding: - #M: Modified Subscription - #N: New Subscription - ValueSet: http://terminology.hl7.org/ValueSet/v2-0397|2.9 + references: 0, strongest binding: - #A: Ascending - #AN: Ascending, case insensitive - #D: Descending - #DN: Descending, case insensitive - #N: None - ValueSet: http://terminology.hl7.org/ValueSet/v2-0398|2.9 + references: 0, strongest binding: - #F: Fragmentation - #I: Interactive Continuation - ValueSet: http://terminology.hl7.org/ValueSet/v2-0401|2.9 + references: 0, strongest binding: - #C: Medi-Cal - #MM: Medicare - ValueSet: http://terminology.hl7.org/ValueSet/v2-0402|2.9 + references: 0, strongest binding: - #D: Dental - #G: Graduate - #M: Medical - #U: Undergraduate - ValueSet: http://terminology.hl7.org/ValueSet/v2-0403|2.9 + references: 0, strongest binding: - #1: Read - #2: Write - #3: Speak - #4: Understand - #5: Sign - ValueSet: http://terminology.hl7.org/ValueSet/v2-0404|2.9 + references: 0, strongest binding: - #1: Excellent - #2: Good - #3: Fair @@ -39529,6 +40372,7 @@ Value Sets: 1230 (unversioned) - #5: Some (level unknown) - #6: None - ValueSet: http://terminology.hl7.org/ValueSet/v2-0406|2.9 + references: 0, strongest binding: - #1: Hospital - #2: Physician Clinic - #3: Long Term Care @@ -39537,22 +40381,27 @@ Value Sets: 1230 (unversioned) - #H: Home - #O: Office - ValueSet: http://terminology.hl7.org/ValueSet/v2-0409|2.9 + references: 0, strongest binding: - #M: Migrates to different CPU - #SD: Shut down - #SU: Start up - ValueSet: http://terminology.hl7.org/ValueSet/v2-0411|2.9 + references: 0, strongest binding: - #CG: Observation of type Clinical Genomics (CG) - #NDBS: Observation of type Newborn Dried Blood Screening (NDBS) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0415|2.9 + references: 0, strongest binding: - #E: DRG Exempt - #N: DRG Non Exempt - ValueSet: http://terminology.hl7.org/ValueSet/v2-0416|2.9 + references: 0, strongest binding: - #1: 1st non-Operative - #2: 2nd non-Operative - #3: Major Operative - #4: 2nd Operative - #5: 3rd Operative - ValueSet: http://terminology.hl7.org/ValueSet/v2-0417|2.9 + references: 0, strongest binding: - #0: No tissue expected - #1: Insufficient Tissue - #2: Not abnormal @@ -39567,15 +40416,18 @@ Value Sets: 1230 (unversioned) - #C: Carcinoma-unspecified type - #G: Additional tissue required - ValueSet: http://terminology.hl7.org/ValueSet/v2-0418|2.9 + references: 0, strongest binding: - #...: No suggested values defined - #0: the admitting procedure - #1: the primary procedure - #2: for ranked secondary procedures - ValueSet: http://terminology.hl7.org/ValueSet/v2-0421|2.9 + references: 0, strongest binding: - #MI: Mild - #MO: Moderate - #SE: Severe - ValueSet: http://terminology.hl7.org/ValueSet/v2-0422|2.9 + references: 0, strongest binding: - #1: Non-acute - #2: Acute - #3: Urgent @@ -39583,18 +40435,22 @@ Value Sets: 1230 (unversioned) - #5: Dead on Arrival (DOA) - #99: Other - ValueSet: http://terminology.hl7.org/ValueSet/v2-0423|2.9 + references: 0, strongest binding: - #D: Doctor's Office Closed - ValueSet: http://terminology.hl7.org/ValueSet/v2-0424|2.9 + references: 0, strongest binding: - #1: Premature / Pre-term - #2: Full Term - #3: Overdue / Post-term - ValueSet: http://terminology.hl7.org/ValueSet/v2-0425|2.9 + references: 0, strongest binding: - #1: Born in facility - #2: Transfer in - #3: Born en route - #4: Other - #5: Born at home - ValueSet: http://terminology.hl7.org/ValueSet/v2-0426|2.9 + references: 0, strongest binding: - #CRYO: Cryoprecipitated AHF - #CRYOP: Pooled Cryoprecipitate - #FFP: Fresh Frozen Plasma @@ -39611,6 +40467,7 @@ Value Sets: 1230 (unversioned) - #RWB: Reconstituted Whole Blood - #WBA: Autologous Whole Blood - ValueSet: http://terminology.hl7.org/ValueSet/v2-0427|2.9 + references: 0, strongest binding: - #B: Body fluid exposure - #C: Contaminated Substance - #D: Diet Errors @@ -39626,10 +40483,12 @@ Value Sets: 1230 (unversioned) - #S: Suicide Attempt - #T: Transfusion error - ValueSet: http://terminology.hl7.org/ValueSet/v2-0428|2.9 + references: 0, strongest binding: - #O: Other - #P: Preventable - #U: User Error - ValueSet: http://terminology.hl7.org/ValueSet/v2-0429|2.9 + references: 0, strongest binding: - #BR: Breeding/genetic stock - #DA: Dairy - #DR: Draft @@ -39643,6 +40502,7 @@ Value Sets: 1230 (unversioned) - #SH: Show - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0430|2.9 + references: 1, strongest binding: Example - #A: Ambulance - #C: Car - #F: On foot @@ -39651,6 +40511,7 @@ Value Sets: 1230 (unversioned) - #P: Public Transport - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0431|2.9 + references: 0, strongest binding: - #A: Alcohol - #C: Tobacco - chewed - #K: Kava @@ -39659,6 +40520,7 @@ Value Sets: 1230 (unversioned) - #T: Tobacco - smoked - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0432|2.9 + references: 0, strongest binding: - #AC: Acute - #CH: Chronic - #CO: Comatose @@ -39666,6 +40528,7 @@ Value Sets: 1230 (unversioned) - #IM: Improved - #MO: Moribund - ValueSet: http://terminology.hl7.org/ValueSet/v2-0433|2.9 + references: 0, strongest binding: - #A: Aggressive - #B: Blind - #C: Confused @@ -39676,6 +40539,7 @@ Value Sets: 1230 (unversioned) - #P: Paraplegic - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0434|2.9 + references: 0, strongest binding: - #A: Satisfactory - #C: Critical - #O: Other @@ -39683,19 +40547,23 @@ Value Sets: 1230 (unversioned) - #S: Stable - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0435|2.9 + references: 0, strongest binding: - #DNR: Do not resuscitate - #N: No directive - ValueSet: http://terminology.hl7.org/ValueSet/v2-0436|2.9 + references: 0, strongest binding: - #AD: Adverse Reaction (Not otherwise classified) - #AL: Allergy - #CT: Contraindication - #IN: Intolerance - #SE: Side Effect - ValueSet: http://terminology.hl7.org/ValueSet/v2-0437|2.9 + references: 0, strongest binding: - #B: Bracelet - #N: Necklace - #W: Wallet Card - ValueSet: http://terminology.hl7.org/ValueSet/v2-0438|2.9 + references: 0, strongest binding: - #C: Confirmed or verified - #D: Doubt raised - #E: Erroneous @@ -39704,6 +40572,7 @@ Value Sets: 1230 (unversioned) - #S: Suspect - #U: Unconfirmed - ValueSet: http://terminology.hl7.org/ValueSet/v2-0440|2.9 + references: 0, strongest binding: - #AD: Address - #AUI: Authorization information - #CCD: Charge code and date @@ -39800,6 +40669,7 @@ Value Sets: 1230 (unversioned) - #XPN: Extended person name - #XTN: Extended telecommunications number - ValueSet: http://terminology.hl7.org/ValueSet/v2-0441|2.9 + references: 0, strongest binding: - #A: Active - #I: Inactive - #L: Inactive - Lost to follow-up (cancel contract) @@ -39808,11 +40678,13 @@ Value Sets: 1230 (unversioned) - #P: Inactive - Permanently inactive (Do not reactivate or add new entries to the record) - #U: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0442|2.9 + references: 0, strongest binding: - #D: Diagnostic - #E: Emergency Room Casualty - #P: Primary Care - #T: Therapeutic - ValueSet: http://terminology.hl7.org/ValueSet/v2-0443|2.9 + references: 0, strongest binding: - #AD: Admitting - #AI: Assistant/Alternate Interpreter - #AP: Administering Provider @@ -39837,55 +40709,68 @@ Value Sets: 1230 (unversioned) - #VPS: Verifying Pharmaceutical Supplier (not sure how to dissect Pharmacist/Treatment Supplier's Verifier ID) - #VTS: Verifying Treatment Supplier (not sure how to dissect Pharmacist/Treatment Supplier's Verifier ID) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0444|2.9 + references: 0, strongest binding: - #F: Prefix Family Middle Given Suffix - #G: Prefix Given Middle Family Suffix - ValueSet: http://terminology.hl7.org/ValueSet/v2-0445|2.9 + references: 0, strongest binding: - #AL: Patient/Person Name is an Alias - #UA: Unknown/Default Address - #UD: Unknown/Default Date of Birth - #US: Unknown/Default Social Security Number - ValueSet: http://terminology.hl7.org/ValueSet/v2-0450|2.9 + references: 0, strongest binding: - #LOG: Log Event - #SER: Service Event - ValueSet: http://terminology.hl7.org/ValueSet/v2-0455|2.9 + references: 0, strongest binding: - #...: No suggested values defined - ValueSet: http://terminology.hl7.org/ValueSet/v2-0456|2.9 + references: 0, strongest binding: - #...: No suggested values defined - ValueSet: http://terminology.hl7.org/ValueSet/v2-0457|2.9 + references: 0, strongest binding: - #0: No edits present on claim - #1: Only edits present are for line item denial or rejection - #2: Multiple-day claim with one or more days denied or rejected - #3: Claim denied, rejected, suspended or returned to provider with only post payment edits - #4: Claim denied, rejected, suspended or returned to provider with only pre payment edits - ValueSet: http://terminology.hl7.org/ValueSet/v2-0459|2.9 + references: 0, strongest binding: - #0: OCE line item denial or rejection is not ignored - #1: OCE line item denial or rejection is ignored - #2: External line item denial. Line item is denied even if no OCE edits - #3: External line item rejection. Line item is rejected even if no OCE edits - ValueSet: http://terminology.hl7.org/ValueSet/v2-0460|2.9 + references: 0, strongest binding: - #0: Line item not denied or rejected - #1: Line item denied or rejected - #2: Line item is on a multiple-day claim. The line item is not denied or rejected, but occurs on a day that has been denied or rejected. - ValueSet: http://terminology.hl7.org/ValueSet/v2-0465|2.9 + references: 0, strongest binding: - #A: Alphabetic (i.e., Default or some single-byte) - #I: Ideographic (i.e., Kanji) - #P: Phonetic (i.e., ASCII, Katakana, Hiragana, etc.) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0466|2.9 + references: 0, strongest binding: - #...: No suggested values defined - #031: Dental procedures - #163: Excision/biopsy - #181: Level 1 skin repair. - ValueSet: http://terminology.hl7.org/ValueSet/v2-0468|2.9 + references: 0, strongest binding: - #1: No payment adjustment - #2: Designated current drug or biological payment adjustment applies to APC (status indicator G) - #3: Designated new device payment adjustment applies to APC (status indicator H) - #4: Designated new drug or new biological payment adjustment applies to APC (status indicator J) - #5: Deductible not applicable (specific list of HCPCS codes) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0469|2.9 + references: 0, strongest binding: - #0: Not packaged - #1: Packaged service (status indicator N, or no HCPCS code and certain revenue codes) - #2: Packaged as part of partial hospitalization per diem or daily mental health service per diem - ValueSet: http://terminology.hl7.org/ValueSet/v2-0470|2.9 + references: 0, strongest binding: - #Crnl: Corneal Tissue APC - #DME: Durable Medical Equipment - #EPO: Epotein @@ -39897,27 +40782,32 @@ Value Sets: 1230 (unversioned) - #Pckg: Packaged APC - #Thrpy: Therapy APC - ValueSet: http://terminology.hl7.org/ValueSet/v2-0472|2.9 + references: 0, strongest binding: - #A: Asynchronous - #C: Actuation Time - #S: Synchronous - ValueSet: http://terminology.hl7.org/ValueSet/v2-0473|2.9 + references: 0, strongest binding: - #G: This observation/service is on the formulary, and has guidelines - #N: This observation/service is not on the formulary - #R: This observation/service is on the formulary, but is restricted - #Y: This observation/service is on the formulary - ValueSet: http://terminology.hl7.org/ValueSet/v2-0474|2.9 + references: 0, strongest binding: - #D: Department - #F: Facility - #S: Subdivision - #U: Subdepartment - #V: Division - ValueSet: http://terminology.hl7.org/ValueSet/v2-0475|2.9 + references: 0, strongest binding: - #01: Allergy - #02: Intolerance - #03: Treatment Failure - #04: Patient Request - #05: No Exception - ValueSet: http://terminology.hl7.org/ValueSet/v2-0477|2.9 + references: 0, strongest binding: - #I: Schedule I - #II: Schedule II - #III: Schedule III @@ -39925,18 +40815,22 @@ Value Sets: 1230 (unversioned) - #V: Schedule V - #VI: Schedule VI - ValueSet: http://terminology.hl7.org/ValueSet/v2-0478|2.9 + references: 0, strongest binding: - #G: Pharmaceutical substance is in the formulary, but guidelines apply - #N: Pharmaceutical substance is NOT in the formulary - #R: Pharmaceutical substance is in the formulary, but restrictions apply - #Y: Pharmaceutical substance is in the formulary - ValueSet: http://terminology.hl7.org/ValueSet/v2-0480|2.9 + references: 0, strongest binding: - #M: Medication - #O: Other solution as medication orders - #S: IV Large Volume Solutions - ValueSet: http://terminology.hl7.org/ValueSet/v2-0482|2.9 + references: 0, strongest binding: - #I: Inpatient Order - #O: Outpatient Order - ValueSet: http://terminology.hl7.org/ValueSet/v2-0483|2.9 + references: 0, strongest binding: - #EL: Electronic - #EM: E-mail - #FX: Fax @@ -39948,6 +40842,7 @@ Value Sets: 1230 (unversioned) - #VC: Video-conference - #VO: Voice - ValueSet: http://terminology.hl7.org/ValueSet/v2-0484|2.9 + references: 0, strongest binding: - #B: Trial Quantity Balance - #C: Compassionate Fill - #N: New/Renew - Full Fill @@ -39958,6 +40853,7 @@ Value Sets: 1230 (unversioned) - #T: Trial Quantity - #Z: Non-Prescription Fill - ValueSet: http://terminology.hl7.org/ValueSet/v2-0485|2.9 + references: 0, strongest binding: - #A: ASAP - #C: Callback - #P: Preop @@ -39972,6 +40868,7 @@ Value Sets: 1230 (unversioned) - #TS: Timing critical within seconds. - #TW: Timing critical within weeks. - ValueSet: http://terminology.hl7.org/ValueSet/v2-0487|2.9 + references: 4, strongest binding: Example - #ABS: Abscess - #ACNE: Tissue, Acne - #ACNFLD: Fluid, Acne @@ -40286,6 +41183,7 @@ Value Sets: 1230 (unversioned) - #WWO: Environmental, Water (Ocean) - #WWT: Environmental, Water (Tap) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0488|2.9 + references: 0, strongest binding: - #ANP: Plates, Anaerobic - #BAP: Plates, Blood Agar - #BCAE: Blood Culture, Aerobic Bottle @@ -40329,6 +41227,7 @@ Value Sets: 1230 (unversioned) - #VENIP: Venipuncture - #WOOD: Swab, Wooden Shaft - ValueSet: http://terminology.hl7.org/ValueSet/v2-0489|2.9 + references: 0, strongest binding: - #AGG: Aggressive - #BHZ: Biohazard - #BIO: Biological @@ -40341,6 +41240,7 @@ Value Sets: 1230 (unversioned) - #POI: Poison - #RAD: Radioactive - ValueSet: http://terminology.hl7.org/ValueSet/v2-0490|2.9 + references: 0, strongest binding: - #EX: Expired - #QS: Quantity not sufficient - #RA: Missing patient ID number @@ -40356,15 +41256,18 @@ Value Sets: 1230 (unversioned) - #RR: Improper storage - #RS: Name misspelling - ValueSet: http://terminology.hl7.org/ValueSet/v2-0491|2.9 + references: 0, strongest binding: - #E: Excellent - #F: Fair - #G: Good - #P: Poor - ValueSet: http://terminology.hl7.org/ValueSet/v2-0492|2.9 + references: 0, strongest binding: - #A: Appropriate - #I: Inappropriate - #P: Preferred - ValueSet: http://terminology.hl7.org/ValueSet/v2-0493|2.9 + references: 1, strongest binding: Extensible - #AUT: Autolyzed - #CFU: Centrifuged - #CLOT: Clotted @@ -40376,10 +41279,12 @@ Value Sets: 1230 (unversioned) - #ROOM: Room temperature - #SNR: Sample not received - ValueSet: http://terminology.hl7.org/ValueSet/v2-0494|2.9 + references: 0, strongest binding: - #A: Aliquot - #C: Component - #M: Modified from original specimen - ValueSet: http://terminology.hl7.org/ValueSet/v2-0495|2.9 + references: 0, strongest binding: - #ANT: Anterior - #BIL: Bilateral - #DIS: Distal @@ -40397,6 +41302,7 @@ Value Sets: 1230 (unversioned) - #RUQ: Quadrant, Right Upper - #UPP: Upper - ValueSet: http://terminology.hl7.org/ValueSet/v2-0496|2.9 + references: 0, strongest binding: - #001: Release of Information/MR / Authorization to Disclosure Protected Health Information - #002: Medical Procedure (invasive) - #003: Acknowledge Receipt of Privacy Notice @@ -40535,10 +41441,12 @@ Value Sets: 1230 (unversioned) - #135: Venogram - #136: Videotape - ValueSet: http://terminology.hl7.org/ValueSet/v2-0497|2.9 + references: 0, strongest binding: - #T: Telephone - #V: Verbal - #W: Written - ValueSet: http://terminology.hl7.org/ValueSet/v2-0498|2.9 + references: 0, strongest binding: - #A: Active - Consent has been granted - #B: Bypassed (Consent not sought) - #L: Limited - Consent has been granted with limitations @@ -40546,47 +41454,57 @@ Value Sets: 1230 (unversioned) - #R: Refused - Consent has been refused - #X: Rescinded - Consent was initially granted, but was subsequently revoked or ended. - ValueSet: http://terminology.hl7.org/ValueSet/v2-0499|2.9 + references: 0, strongest binding: - #E: Emergency - #PJ: Professional Judgment - ValueSet: http://terminology.hl7.org/ValueSet/v2-0500|2.9 + references: 0, strongest binding: - #F: Full Disclosure - #N: No Disclosure - #P: Partial Disclosure - ValueSet: http://terminology.hl7.org/ValueSet/v2-0501|2.9 + references: 0, strongest binding: - #E: Emergency - #PR: Patient Request - #RX: Rx Private - ValueSet: http://terminology.hl7.org/ValueSet/v2-0502|2.9 + references: 0, strongest binding: - #LM: Legally mandated - #MIN: Subject is a minor - #NC: Subject is not competent to consent - ValueSet: http://terminology.hl7.org/ValueSet/v2-0503|2.9 + references: 0, strongest binding: - #C: Cyclical - #R: Reserved for future use - #S: Sequential - ValueSet: http://terminology.hl7.org/ValueSet/v2-0504|2.9 + references: 0, strongest binding: - #EE: End related service request(s), end current service request. - #ES: End related service request(s), start current service request. - #SE: Start related service request(s), end current service request. - #SS: Start related service request(s), start current service request. - ValueSet: http://terminology.hl7.org/ValueSet/v2-0505|2.9 + references: 0, strongest binding: - ##: The last service request in a cyclic group. - #*: The first service request in a cyclic group - #F: First service - #L: Last service - ValueSet: http://terminology.hl7.org/ValueSet/v2-0506|2.9 + references: 0, strongest binding: - #C: Compound - #E: Exclusive - #N: Nurse prerogative - #S: Simultaneous - #T: Tapering - ValueSet: http://terminology.hl7.org/ValueSet/v2-0507|2.9 + references: 0, strongest binding: - #A: Alert provider when abnormal - #BCC: Blind copy - #CC: Copies requested - #F: Film-with-patient - #N: Notify provider when ready - ValueSet: http://terminology.hl7.org/ValueSet/v2-0508|2.9 + references: 0, strongest binding: - #AU: Autologous Unit - #CM: CMV Negative - #CS: CMV Safe @@ -40599,6 +41517,7 @@ Value Sets: 1230 (unversioned) - #LR: Leukoreduced - #WA: Washed - ValueSet: http://terminology.hl7.org/ValueSet/v2-0510|2.9 + references: 0, strongest binding: - #CR: Released into inventory for general availability - #DS: Dispensed to patient location - #PT: Presumed transfused (dispensed and not returned) @@ -40611,6 +41530,7 @@ Value Sets: 1230 (unversioned) - #RS: Reserved (ordered and product allocated for the patient) - #WA: Wasted (product no longer viable) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0511|2.9 + references: 0, strongest binding: - #C: Record coming over is a correction and thus replaces a final status - #D: Deletes the BPX record - #F: Final status; Can only be changed with a corrected status @@ -40618,12 +41538,14 @@ Value Sets: 1230 (unversioned) - #P: Preliminary status - #W: Post original as wrong, e.g., transmitted for wrong patient - ValueSet: http://terminology.hl7.org/ValueSet/v2-0513|2.9 + references: 0, strongest binding: - #RA: Returned unused/no longer needed - #RL: Returned unused/keep linked to patient for possible use later - #TR: Transfused with adverse reaction - #TX: Transfused - #WA: Wasted (product no longer viable) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0514|2.9 + references: 0, strongest binding: - #ABOINC: ABO Incompatible Transfusion Reaction - #ACUTHEHTR: Acute Hemolytic Transfusion Reaction - #ALLERGIC1: Allergic Reaction - First @@ -40644,27 +41566,33 @@ Value Sets: 1230 (unversioned) - #PTP: Posttransfusion Purpura - #VOLOVER: Symptoms most likely due to volume overload - ValueSet: http://terminology.hl7.org/ValueSet/v2-0516|2.9 + references: 0, strongest binding: - #E: Error - #F: Fatal Error - #I: Information - #W: Warning - ValueSet: http://terminology.hl7.org/ValueSet/v2-0517|2.9 + references: 0, strongest binding: - #HD: Inform help desk - #NPAT: Do NOT inform patient - #PAT: Inform patient - #USR: Inform User - ValueSet: http://terminology.hl7.org/ValueSet/v2-0518|2.9 + references: 0, strongest binding: - #EQV: Equivalence Override - #EXTN: Extension Override - #INLV: Interval Override - ValueSet: http://terminology.hl7.org/ValueSet/v2-0520|2.9 + references: 0, strongest binding: - #H: High - #L: Low - #M: Medium - ValueSet: http://terminology.hl7.org/ValueSet/v2-0523|2.9 + references: 0, strongest binding: - #%: Indicates a percent change - #a: Absolute Change - ValueSet: http://terminology.hl7.org/ValueSet/v2-0527|2.9 + references: 0, strongest binding: - #DM: day of the month - #DW: day of the week (begins with Monday) - #DY: day of the year @@ -40674,6 +41602,7 @@ Value Sets: 1230 (unversioned) - #SN: second of the minute - #WY: week of the year - ValueSet: http://terminology.hl7.org/ValueSet/v2-0528|2.9 + references: 0, strongest binding: - #AC: before meal (from lat. ante cibus) - #ACD: before lunch (from lat. ante cibus diurnus) - #ACM: before breakfast (from lat. ante cibus matutinus) @@ -40688,6 +41617,7 @@ Value Sets: 1230 (unversioned) - #PCM: after breakfast (from lat. post cibus matutinus) - #PCV: after dinner (from lat. post cibus vespertinus) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0530|2.9 + references: 0, strongest binding: - #AE: American Express - #DEA: Drug Enforcement Agency - #DOD: Department of Defense @@ -40695,6 +41625,7 @@ Value Sets: 1230 (unversioned) - #VA: Veterans Affairs - #VI: Visa - ValueSet: http://terminology.hl7.org/ValueSet/v2-0532|2.9 + references: 0, strongest binding: - #ASKU: asked but unknown - #N: No - #NA: not applicable @@ -40705,32 +41636,38 @@ Value Sets: 1230 (unversioned) - #UNK: unknown - #Y: Yes - ValueSet: http://terminology.hl7.org/ValueSet/v2-0534|2.9 + references: 0, strongest binding: - #L: Last Rites only - #N: No - #O: Other - #U: Unknown - #Y: Yes - ValueSet: http://terminology.hl7.org/ValueSet/v2-0535|2.9 + references: 0, strongest binding: - #C: Signed CMS-1500 claim form on file, e.g., authorization for release of any medical or other information necessary to process this claim and assignment of benefits. - #M: Signed authorization for assignment of benefits on file. - #P: Signature generated by provider because the patient was not physically present for services. - #S: Signed authorization for release of any medical or other information necessary to process this claim on file. - ValueSet: http://terminology.hl7.org/ValueSet/v2-0536|2.9 + references: 0, strongest binding: - #E: Expired - #I: Inactive - #P: Provisional - #R: Revoked - #V: Active/Valid - ValueSet: http://terminology.hl7.org/ValueSet/v2-0538|2.9 + references: 0, strongest binding: - #CON: Contractor - #CST: Consultant - #EMP: Employee - #VOL: Volunteer - ValueSet: http://terminology.hl7.org/ValueSet/v2-0540|2.9 + references: 0, strongest binding: - #L: Leave of Absence - #R: Retired - #T: Termination - ValueSet: http://terminology.hl7.org/ValueSet/v2-0544|2.9 + references: 0, strongest binding: - #CC: Container Cracked - #CL: Container Leaking - #CT: Container Torn @@ -40753,10 +41690,12 @@ Value Sets: 1230 (unversioned) - #XUFRZ: Not Ultra frozen - #XUPR: Not Upright - ValueSet: http://terminology.hl7.org/ValueSet/v2-0547|2.9 + references: 0, strongest binding: - #C: County/Parish - #N: Country - #S: State/Province - ValueSet: http://terminology.hl7.org/ValueSet/v2-0548|2.9 + references: 0, strongest binding: - #1: Self - #2: Parent - #3: Next of Kin @@ -40765,6 +41704,7 @@ Value Sets: 1230 (unversioned) - #6: Emergent Practitioner (practitioner judging case as emergency requiring care without a consent) - #7: Non-Emergent Practitioner (i.e. medical ethics committee) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0550|2.9 + references: 0, strongest binding: - # : External Jugular - #ACET: Acetabulum - #ACHIL: Achilles @@ -41209,6 +42149,7 @@ Value Sets: 1230 (unversioned) - #WBC: Leukocytes - #WRIST: Wrist - ValueSet: http://terminology.hl7.org/ValueSet/v2-0553|2.9 + references: 0, strongest binding: - #AA: Authorization request for inpatient admission - #AI: Combined Authorization and Adjudication request - #CA: Cancel Authorization request @@ -41227,10 +42168,12 @@ Value Sets: 1230 (unversioned) - #RU: Referral authorization - #SA: Special Authorization - ValueSet: http://terminology.hl7.org/ValueSet/v2-0554|2.9 + references: 0, strongest binding: - #LATE: Late Invoice - #NORM: Normal submission - #SUB: Subscriber coverage problem - ValueSet: http://terminology.hl7.org/ValueSet/v2-0555|2.9 + references: 0, strongest binding: - #BK: Block - #FN: Final - #FS: Fee for Service @@ -41242,23 +42185,28 @@ Value Sets: 1230 (unversioned) - #SS: By Session - #SU: Supplemental - ValueSet: http://terminology.hl7.org/ValueSet/v2-0556|2.9 + references: 0, strongest binding: - #AMB: AMBULATORY CARE - #DENT: DENTAL - ValueSet: http://terminology.hl7.org/ValueSet/v2-0557|2.9 + references: 0, strongest binding: - #EMPL: Employer - #ORG: Payee Organization - #PERS: Person - #PPER: Pay Person - ValueSet: http://terminology.hl7.org/ValueSet/v2-0558|2.9 + references: 0, strongest binding: - #FM: Family Member - #GT: Guarantor - #PT: Patient - #SB: Subscriber - ValueSet: http://terminology.hl7.org/ValueSet/v2-0559|2.9 + references: 0, strongest binding: - #D: Denied - #P: Processed - #R: Rejected - ValueSet: http://terminology.hl7.org/ValueSet/v2-0561|2.9 + references: 0, strongest binding: - #CLCTR: Claim Center - #DGAPP: Diagnostic Approval Number - #DTCTR: Data Center Number @@ -41267,6 +42215,7 @@ Value Sets: 1230 (unversioned) - #OOP: Out of Province Indicator - #SEQ: Sequence Number - ValueSet: http://terminology.hl7.org/ValueSet/v2-0562|2.9 + references: 0, strongest binding: - #DFADJ: Deferred Adjudication Processing - #EFORM: Electronic form to follow - #FAX: Fax to follow @@ -41274,17 +42223,20 @@ Value Sets: 1230 (unversioned) - #PYRDELAY: Delayed by a Previous Payer - #RTADJ: Real Time Adjudication Processing - ValueSet: http://terminology.hl7.org/ValueSet/v2-0564|2.9 + references: 0, strongest binding: - #EA: Edit/Adjudication Response - #IN: Information - #PA: Provider Adjustment - #PR: Processing Result - ValueSet: http://terminology.hl7.org/ValueSet/v2-0565|2.9 + references: 0, strongest binding: - #DISP: Dispensing Fee - #GST: Goods and Services Tax - #HST: Harmonized Sales Tax - #MKUP: Mark up Fee - #PST: Provincial Sales Tax - ValueSet: http://terminology.hl7.org/ValueSet/v2-0566|2.9 + references: 0, strongest binding: - #GRN: Granulocytes - #LYM: Lymphocytes - #PLS: Plasma @@ -41293,10 +42245,12 @@ Value Sets: 1230 (unversioned) - #RBC: Red Blood Cells - #WBL: Whole Blood - ValueSet: http://terminology.hl7.org/ValueSet/v2-0569|2.9 + references: 0, strongest binding: - #EOB: Print on EOB - #PAT: Inform Patient - #PRO: Inform Provider - ValueSet: http://terminology.hl7.org/ValueSet/v2-0570|2.9 + references: 0, strongest binding: - #CASH: Cash - #CCCA: Credit Card - #CCHK: Cashier's Check @@ -41308,6 +42262,7 @@ Value Sets: 1230 (unversioned) - #TRAC: Traveler's Check - #VISN: VISA Special Electronic Funds Transfer Network - ValueSet: http://terminology.hl7.org/ValueSet/v2-0571|2.9 + references: 0, strongest binding: - #ACK: Acknowledge - #ADJ: Adjudicated with Adjustments - #ADJSUB: Adjudicated as Submitted @@ -41317,38 +42272,48 @@ Value Sets: 1230 (unversioned) - #PRED: Pre-Determination - #REJECT: Reject - ValueSet: http://terminology.hl7.org/ValueSet/v2-0572|2.9 + references: 0, strongest binding: - #RVAT: Registered in VAT register - #UVAT: Unregistered in VAT register - ValueSet: http://terminology.hl7.org/ValueSet/v2-0615|2.9 + references: 0, strongest binding: - #KERB: Kerberos Service Ticket - #SAML: Authenticated User Identity Assertion - ValueSet: http://terminology.hl7.org/ValueSet/v2-0616|2.9 + references: 0, strongest binding: - #C: Corrected - #E: Added in error - #M: Moved - #R: On request - ValueSet: http://terminology.hl7.org/ValueSet/v2-0617|2.9 + references: 0, strongest binding: - #C: Classification - #M: Mailing - #V: Visit - ValueSet: http://terminology.hl7.org/ValueSet/v2-0618|2.9 + references: 0, strongest binding: - #LI: Listed - #UL: Unlisted (Should not appear in directories) - #UP: Unpublished - ValueSet: http://terminology.hl7.org/ValueSet/v2-0625|2.9 + references: 0, strongest binding: - #1: Active - #2: Pending Inactive - #3: Inactive - ValueSet: http://terminology.hl7.org/ValueSet/v2-0634|2.9 + references: 0, strongest binding: - #CRT: Critical - ValueSet: http://terminology.hl7.org/ValueSet/v2-0642|2.9 + references: 0, strongest binding: - #D: DOP/DOQ - #M: MIN/MAX - #O: Override - ValueSet: http://terminology.hl7.org/ValueSet/v2-0651|2.9 + references: 0, strongest binding: - #CST: Cost - #TME: Time - ValueSet: http://terminology.hl7.org/ValueSet/v2-0653|2.9 + references: 0, strongest binding: - #1: mm/dd/yy - #2: yy.mm.dd - #3: dd/mm/yy @@ -41356,27 +42321,33 @@ Value Sets: 1230 (unversioned) - #5: yy/mm/dd - #6: Yymmdd - ValueSet: http://terminology.hl7.org/ValueSet/v2-0657|2.9 + references: 0, strongest binding: - #1: EO Gas Sterilizer - #2: Steam Sterilizer - #3: Peracetic Acid - ValueSet: http://terminology.hl7.org/ValueSet/v2-0659|2.9 + references: 0, strongest binding: - #1: OR Mode Without Operator - #2: OR Mode with Operator - #3: CPD Mode Without Operator - #4: CPD Mode With Operator - #5: Offline Mode - ValueSet: http://terminology.hl7.org/ValueSet/v2-0667|2.9 + references: 0, strongest binding: - #0: Real Time Values - #1: Historic Values - ValueSet: http://terminology.hl7.org/ValueSet/v2-0669|2.9 + references: 0, strongest binding: - #LCC: Load is Complete - #LCN: Load Canceled - #LCP: Load In Process - #LLD: Building a Load - ValueSet: http://terminology.hl7.org/ValueSet/v2-0682|2.9 + references: 0, strongest binding: - #0: Ready - #1: Not Ready - ValueSet: http://terminology.hl7.org/ValueSet/v2-0702|2.9 + references: 0, strongest binding: - #2RS: Second Rinse - #ANR: Anesthesia/Respiratory - #BDP: Bedpans @@ -41410,6 +42381,7 @@ Value Sets: 1230 (unversioned) - #UTL: Utensil Wash - #WFP: Wrap/Steam Flush Pressure Pulse (Wrap/SFPP) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0717|2.9 + references: 0, strongest binding: - #ALL: All - #DEM: All demographic data - #DRG: Drug @@ -41424,6 +42396,7 @@ Value Sets: 1230 (unversioned) - #SMD: Sensitive medical data - #STD: Sexually transmitted diseases - ValueSet: http://terminology.hl7.org/ValueSet/v2-0725|2.9 + references: 0, strongest binding: - #APT: Appointment - #ARQ: Appointment Request - #EVN: Event @@ -41434,18 +42407,21 @@ Value Sets: 1230 (unversioned) - #PRP: Proposal - #RQO: Request-Order - ValueSet: http://terminology.hl7.org/ValueSet/v2-0728|2.9 + references: 0, strongest binding: - #0: Nothing obvious - #1: Low - #2: Moderate - #3: High - #4: Very high - ValueSet: http://terminology.hl7.org/ValueSet/v2-0731|2.9 + references: 0, strongest binding: - #0: Valid code - #1: Invalid code - #2: Two primary diagnosis codes - #3: Invalid for this gender - #4: Invalid for this age - ValueSet: http://terminology.hl7.org/ValueSet/v2-0734|2.9 + references: 0, strongest binding: - #0: Normal grouping - #1: Invalid or missing primary diagnosis - #2: Diagnosis is not allowed to be primary @@ -41457,10 +42433,12 @@ Value Sets: 1230 (unversioned) - #8: Invalid length of stay - #9: Invalid field "same day" - ValueSet: http://terminology.hl7.org/ValueSet/v2-0739|2.9 + references: 0, strongest binding: - #1: Normal length of stay - #2: Short length of stay - #3: Long length of stay - ValueSet: http://terminology.hl7.org/ValueSet/v2-0742|2.9 + references: 0, strongest binding: - #00: Effective weight calculated - #01: Hospital specific contract - #03: Eeffective weight for transfer/referral calculated @@ -41469,58 +42447,71 @@ Value Sets: 1230 (unversioned) - #10: No information/entry in cost data for this DRG - #11: No relative weight found for department (type) - ValueSet: http://terminology.hl7.org/ValueSet/v2-0749|2.9 + references: 0, strongest binding: - #0: Valid code; not used for grouping - #1: Valid code; used for grouping - #2: Invalid code; not used for grouping - #3: Invalid code; code is relevant for grouping - ValueSet: http://terminology.hl7.org/ValueSet/v2-0755|2.9 + references: 0, strongest binding: - #0: No weight reported at admission used for grouping - #1: Weight reported at admission used for grouping - #2: Default weight (>2499g) used for grouping - ValueSet: http://terminology.hl7.org/ValueSet/v2-0757|2.9 + references: 0, strongest binding: - #0: Respiration minutes not used for grouping - #1: Listed respiration minutes used for grouping - #2: OPS code value used for grouping - ValueSet: http://terminology.hl7.org/ValueSet/v2-0759|2.9 + references: 0, strongest binding: - #0: Admission status is valid; used for grouping - #1: Admission status is valid; not used for grouping - #2: Admission status is invalid; not used for grouping - #3: Admission status is invalid; default value used for grouping - ValueSet: http://terminology.hl7.org/ValueSet/v2-0761|2.9 + references: 0, strongest binding: - #0: Valid code - #1: Invalid code - #2: Not used - #3: Invalid for this gender - #4: Invalid for this age - ValueSet: http://terminology.hl7.org/ValueSet/v2-0763|2.9 + references: 0, strongest binding: - #0: Neither operation relevant nor non-operation relevant procedure - #1: Operation relevant procedure - #2: Non-operation relevant procedure - ValueSet: http://terminology.hl7.org/ValueSet/v2-0776|2.9 + references: 0, strongest binding: - #A: Active - #I: Inactive - #P: Pending Inactive - ValueSet: http://terminology.hl7.org/ValueSet/v2-0778|2.9 + references: 0, strongest binding: - #EQP: Equipment - #IMP: Implant - #MED: Medication - #SUP: Supply - #TDC: Tubes, Drains, and Catheters - ValueSet: http://terminology.hl7.org/ValueSet/v2-0790|2.9 + references: 0, strongest binding: - #AMA: American Medical Association - #FDA: Food and Drug Administration - ValueSet: http://terminology.hl7.org/ValueSet/v2-0793|2.9 + references: 0, strongest binding: - #SMDA: Safe Medical Devices Act - ValueSet: http://terminology.hl7.org/ValueSet/v2-0806|2.9 + references: 0, strongest binding: - #EOG: Ethylene Oxide Gas - #PCA: Peracetic acid - #STM: Steam - ValueSet: http://terminology.hl7.org/ValueSet/v2-0818|2.9 + references: 0, strongest binding: - #BX: Box - #CS: Case - #EA: Each - #SET: Set - ValueSet: http://terminology.hl7.org/ValueSet/v2-0834|2.9 + references: 0, strongest binding: - #application: Application data - #audio: Audio data - #image: Image data @@ -41529,12 +42520,14 @@ Value Sets: 1230 (unversioned) - #text: Text data - #video: Video data - ValueSet: http://terminology.hl7.org/ValueSet/v2-0868|2.9 + references: 0, strongest binding: - #C: Corrected - #E: Added in error - #M: Moved - #N: No longer in service - #R: On request - ValueSet: http://terminology.hl7.org/ValueSet/v2-0871|2.9 + references: 0, strongest binding: - #COR: Corrosive - #EXP: Explosive - #FLA: Flammable @@ -41543,20 +42536,25 @@ Value Sets: 1230 (unversioned) - #TOX: Toxic - #UNK: Unknown - ValueSet: http://terminology.hl7.org/ValueSet/v2-0881|2.9 + references: 0, strongest binding: - #B: Both - #P: Professional Part - #T: Technical Part - ValueSet: http://terminology.hl7.org/ValueSet/v2-0882|2.9 + references: 0, strongest binding: - #E: Employed - #SE: Self-employed - ValueSet: http://terminology.hl7.org/ValueSet/v2-0894|2.9 + references: 0, strongest binding: - #L: Left - #R: Right - ValueSet: http://terminology.hl7.org/ValueSet/v2-0904|2.9 + references: 0, strongest binding: - #BCV: Bank Card Validation Number - #CCS: Credit Card Security code - #VID: Version ID - ValueSet: http://terminology.hl7.org/ValueSet/v2-0905|2.9 + references: 0, strongest binding: - #INV: Inventoried - #ONH: On Hold - #PRC: Processing @@ -41564,6 +42562,7 @@ Value Sets: 1230 (unversioned) - #TRN: In Transit - #TTL: Triaged to Lab - ValueSet: http://terminology.hl7.org/ValueSet/v2-0906|2.9 + references: 0, strongest binding: - #A: ASAP - As soon as possible, next highest priority after stat - #CR: Callback results - filler should contact the placer as soon as results are available, even for preliminary results - #CS: Callback for scheduling - Filler should contact the placer (or target) to schedule the service. @@ -41580,6 +42579,7 @@ Value Sets: 1230 (unversioned) - #UD: Use as directed - Drug is to be used as directed by the prescriber. - #UR: Urgent - Calls for prompt action - ValueSet: http://terminology.hl7.org/ValueSet/v2-0907|2.9 + references: 0, strongest binding: - #B: Business - Since the service class can represent knowledge structures that may be considered a trade or business secret, there is sometimes (though rarely) the need to flag those items as of business level confidentiality. However, no patient related inf - #C: Celebrity - Celebrities are people of public interest (VIP) including employees, whose information require special protection. - #D: Clinician - Only clinicians may see this item, billing and administration persons can not access this item without special permission. @@ -41595,6 +42595,7 @@ Value Sets: 1230 (unversioned) - #T: Taboo - Information not to be disclosed or discussed with patient except through physician assigned to patient in this case. This is usually a temporary constraint only; example use is a new fatal diagnosis or finding, such as malignancy or HIV. - #V: Very restricted - Very restricted access as declared by the Privacy Officer of the record holder. - ValueSet: http://terminology.hl7.org/ValueSet/v2-0909|2.9 + references: 0, strongest binding: - #SID: Share In1 Day -

Share result regardless of reference/therapeutic range after 1 or more business day as agreed to by the systems in play. - #SIDC: Share in 1 Day Conditionally -

Share result in reference ranges/therapeutic with patient after 1 or more business day as agreed to by the systems in play.

Withhold result out of reference/therapeutic range until physician release - #SIMM: Share Immediately -

Share result with patient immediately @@ -41602,6 +42603,7 @@ Value Sets: 1230 (unversioned) - #SWNL: Share Within Normal Limits -

Share result in reference/therapeutic range with patient immediately

Share result out of reference/therapeutic ranges with patient after 1 or more business day as agreed to by the systems in play. - #SWTH: Share Withhold -

Withhold result regardless of reference/therapeutic ranges - ValueSet: http://terminology.hl7.org/ValueSet/v2-0912|2.9 + references: 0, strongest binding: - #AAP: Alert Acknowledging Provider - #AC: Administration Cosigner - #AD: Admitting Provider @@ -41646,42 +42648,52 @@ Value Sets: 1230 (unversioned) - #WAY: Waypoint - #WAYR: Waypoint Recipient - ValueSet: http://terminology.hl7.org/ValueSet/v2-0914|2.9 + references: 0, strongest binding: - #AP: Analysis Process - #IM: Information Management - #L: Laboratory - #NA: Not Applicable - #PD: Placer Data - ValueSet: http://terminology.hl7.org/ValueSet/v2-0916|2.9 + references: 1, strongest binding: Extensible - #F: Patient was fasting prior to the procedure. - #NF: The patient indicated they did not fast prior to the procedure. - #NG: Not Given - Patient was not asked at the time of the procedure. - ValueSet: http://terminology.hl7.org/ValueSet/v2-0917|2.9 + references: 0, strongest binding: - #C: Supplemental - #L: Loading - ValueSet: http://terminology.hl7.org/ValueSet/v2-0918|2.9 + references: 0, strongest binding: - #C: Continuous - #P: PCA Only - #PC: PCA + Continuous - ValueSet: http://terminology.hl7.org/ValueSet/v2-0919|2.9 + references: 0, strongest binding: - #D: In some cases, this test should be only exclusively with like tests (examples are cyto or pathology) - #N: This test can be included with any number of other tests - #Y: This test should be exclusive - ValueSet: http://terminology.hl7.org/ValueSet/v2-0920|2.9 + references: 0, strongest binding: - #A: Alternate - #P: Preferred - ValueSet: http://terminology.hl7.org/ValueSet/v2-0921|2.9 + references: 0, strongest binding: - #ADM: Admitting - #PROC: Procedure - #SERV: Service - ValueSet: http://terminology.hl7.org/ValueSet/v2-0922|2.9 + references: 0, strongest binding: - #IR: Initial Request - #RA: Request for Appeal - #RE: Request for Extension - ValueSet: http://terminology.hl7.org/ValueSet/v2-0923|2.9 + references: 0, strongest binding: - #ABR: Aborted Run: Process interrupted after the Phlebotomist inserts the needle in the Donor's arm - #NIN: Process was not interrupted - #WOT: Walk Out: Process interrupted before the Phlebotomist inserts the needle in the Donor's arm - ValueSet: http://terminology.hl7.org/ValueSet/v2-0924|2.9 + references: 0, strongest binding: - #A: Annual - #D: Per Day - #M: Per Month @@ -41689,6 +42701,7 @@ Value Sets: 1230 (unversioned) - #PL: Patients Lifetime - #WK: Per Week - ValueSet: http://terminology.hl7.org/ValueSet/v2-0925|2.9 + references: 0, strongest binding: - #ACN: Air Contamination - #CLT: Clotted - #COL: Collapse @@ -41703,14 +42716,17 @@ Value Sets: 1230 (unversioned) - #PFL: Poor flow - #VSM: Vein Spasm - ValueSet: http://terminology.hl7.org/ValueSet/v2-0926|2.9 + references: 0, strongest binding: - #NDR: Not Drawn - #SUC: Successful - #UL5: Unsuccessful Less than 50 ml drawn - ValueSet: http://terminology.hl7.org/ValueSet/v2-0927|2.9 + references: 0, strongest binding: - #B: Both Arms - #L: Left Arm - #R: Right Arm - ValueSet: http://terminology.hl7.org/ValueSet/v2-0933|2.9 + references: 0, strongest binding: - #2RC: Double Red Cells - #GRN: Granulocytes - #HEM: Hemachromatosis @@ -41725,6 +42741,7 @@ Value Sets: 1230 (unversioned) - #THW: Therapeutic Whole Blood - #WBL: Whole Blood - ValueSet: http://terminology.hl7.org/ValueSet/v2-0935|2.9 + references: 0, strongest binding: - #ASC: Apheresis Software Crash - #BSC: Manufacturing Software Crash - #CFT: Couldn't follow through with donation (scared) @@ -41735,6 +42752,7 @@ Value Sets: 1230 (unversioned) - #NRG: No reason given, donor decided to stop without giving a reason - #PCD: Phone Call-Donor - ValueSet: http://terminology.hl7.org/ValueSet/v2-2.4-0006|0006 + references: 0, strongest binding: - #ABC: Christian: American Baptist Church - #AGN: Agnostic - #AME: Christian: African Methodist Episcopal Zion @@ -41821,6 +42839,7 @@ Value Sets: 1230 (unversioned) - #WES: Christian: Wesleyan - #WMC: Christian: Wesleyan Methodist - ValueSet: http://terminology.hl7.org/ValueSet/v2-2.6-0391|0391 + references: 0, strongest binding: - #ADMINISTRATION: - #ALLERGY: - #APP_STATS: @@ -41954,6 +42973,7 @@ Value Sets: 1230 (unversioned) - #TREATMENT: - #VISIT: - ValueSet: http://terminology.hl7.org/ValueSet/v2-2.7-0360|0360 + references: 1, strongest binding: Example - #AA: Associate of Arts - #AAS: Associate of Applied Science - #ABA: Associate of Business Administration @@ -42016,11 +43036,13 @@ Value Sets: 1230 (unversioned) - #SEC: Secretarial Certificate - #TS: Trade School Graduate - ValueSet: http://terminology.hl7.org/ValueSet/v3-AcknowledgementCondition|2019-07-31 + references: 0, strongest binding: - #AL: Always - #ER: Error/reject only - #NE: Never - #SU: Successful only - ValueSet: http://terminology.hl7.org/ValueSet/v3-AcknowledgementDetailCode|2019-07-31 + references: 0, strongest binding: - #_AcknowledgementDetailNotSupportedCode: AcknowledgementDetailNotSupportedCode - #INTERR: Internal system error - #NOSTORE: No storage space for message. @@ -42050,6 +43072,7 @@ Value Sets: 1230 (unversioned) - #SYN113: Formal constraint violation - #SYN114: Insufficient repetitions - ValueSet: http://terminology.hl7.org/ValueSet/v3-AcknowledgementDetailType|2019-07-31 + references: 0, strongest binding: - #E: Error - #ERR: - #I: Information @@ -42057,6 +43080,7 @@ Value Sets: 1230 (unversioned) - #W: Warning - #WARN: - ValueSet: http://terminology.hl7.org/ValueSet/v3-AcknowledgementType|2019-07-31 + references: 0, strongest binding: - #AA: Application Acknowledgement Accept - #AE: Application Acknowledgement Error - #AR: Application Acknowledgement Reject @@ -42064,6 +43088,7 @@ Value Sets: 1230 (unversioned) - #CE: Accept Acknowledgement Commit Error - #CR: Accept Acknowledgement Commit Reject - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActClass|2019-07-31 + references: 0, strongest binding: - #_ActClassContainer: ActClassContainer - #_ActClassRecordOrganizer: record organizer - #_ActClassROI: ActClassROI @@ -42174,15 +43199,19 @@ Value Sets: 1230 (unversioned) - #VERIF: Verification - #XACT: financial transaction - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActClassClinicalDocument|2014-03-26 + references: 0, strongest binding: - #CDALVLONE: CDA Level One clinical document - #DOCCLIN: clinical document - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActClassDocument|2014-03-26 + references: 0, strongest binding: - #CDALVLONE: CDA Level One clinical document - #DOC: document - #DOCCLIN: clinical document - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActClassInvestigation|2014-03-26 + references: 0, strongest binding: - #INVSTG: investigation - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActClassObservation|2014-03-26 + references: 0, strongest binding: - #_ActClassROI: ActClassROI - #_SubjectPhysicalPosition: subject physical position - #ALRT: detected issue @@ -42209,16 +43238,20 @@ Value Sets: 1230 (unversioned) - #SPCOBS: specimen observation - #VERIF: Verification - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActClassProcedure|2014-03-26 + references: 0, strongest binding: - #PROC: procedure - #SBADM: substance administration - #SBEXT: Substance Extraction - #SPECCOLLECT: Specimen Collection - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActClassROI|2014-03-26 + references: 0, strongest binding: - #ROIBND: bounded ROI - #ROIOVL: overlay ROI - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActClassSupply|2014-03-26 + references: 0, strongest binding: - #SPLY: supply - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActCode|2019-07-31 + references: 3, strongest binding: Example - #_ActAccountCode: ActAccountCode - #_ActAdjudicationCode: ActAdjudicationCode - #_ActAdjudicationGroupCode: ActAdjudicationGroupCode @@ -43412,6 +44445,7 @@ Value Sets: 1230 (unversioned) - #XRAY: x-ray - #YEAR: year - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActConsentDirective|2014-03-26 + references: 1, strongest binding: Extensible - #_ActAccountCode: ActAccountCode - #_ActAdjudicationCode: ActAdjudicationCode - #_ActAdjudicationGroupCode: ActAdjudicationGroupCode @@ -44605,6 +45639,7 @@ Value Sets: 1230 (unversioned) - #XRAY: x-ray - #YEAR: year - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActConsentType|2014-03-26 + references: 0, strongest binding: - #_ActConsentType: ActConsentType - #ICOL: information collection - #IDSCL: information disclosure @@ -44616,6 +45651,7 @@ Value Sets: 1230 (unversioned) - #RSDID: de-identified information access - #RSREID: re-identifiable information access - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActCoverageTypeCode|2014-03-26 + references: 0, strongest binding: - #_ActCoverageTypeCode: ActCoverageTypeCode - #_ActHealthInsuranceTypeCode: ActHealthInsuranceTypeCode - #_ActInsurancePolicyCode: ActInsurancePolicyCode @@ -44674,6 +45710,7 @@ Value Sets: 1230 (unversioned) - #VISPOL: vision care policy - #WCBPOL: worker's compensation - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActEncounterCode|2014-03-26 + references: 2, strongest binding: Extensible - #ACUTE: inpatient acute - #AMB: ambulatory - #EMER: emergency @@ -44686,21 +45723,25 @@ Value Sets: 1230 (unversioned) - #SS: short stay - #VR: virtual - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActExposureLevelCode|2019-07-31 + references: 0, strongest binding: - #_ActExposureLevelCode: ActExposureLevelCode - #HIGH: high - #LOW: low - #MEDIUM: medium - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActIncidentCode|2014-03-26 + references: 2, strongest binding: Extensible - #MVA: Motor vehicle accident - #SCHOOL: School Accident - #SPT: Sporting Accident - #WPA: Workplace accident - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActInvoiceElementModifier|2019-07-31 + references: 0, strongest binding: - #EFORM: Electronic Form To Follow - #FAX: Fax To Follow - #LINV: Last Invoice - #PAPER: Paper Documentation To Follow - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActInvoiceGroupCode|2014-03-26 + references: 0, strongest binding: - #_ActInvoiceInterGroupCode: ActInvoiceInterGroupCode - #_ActInvoiceRootGroupCode: ActInvoiceRootGroupCode - #CPINV: clinical product invoice @@ -44721,6 +45762,7 @@ Value Sets: 1230 (unversioned) - #SBFINV: sessional or block fee invoice - #VRXINV: vision dispense invoice - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActMood|2019-07-31 + references: 0, strongest binding: - #_ActMoodActRequest: act request - #_ActMoodCompletionTrack: ActMoodCompletionTrack - #_ActMoodDesire: desire @@ -44743,6 +45785,7 @@ Value Sets: 1230 (unversioned) - #RSK: risk - #SLOT: resource slot - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActMoodIntent|2014-03-26 + references: 0, strongest binding: - #_ActMoodActRequest: act request - #_ActMoodDesire: desire - #APT: appointment @@ -44754,11 +45797,13 @@ Value Sets: 1230 (unversioned) - #RMD: recommendation - #RQO: request - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActMoodPredicate|2014-03-26 + references: 0, strongest binding: - #EXPEC: expectation - #GOL: Goal - #OPT: option - #RSK: risk - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActPharmacySupplyType|2014-03-26 + references: 1, strongest binding: Example - #DF: Daily Fill - #EM: Emergency Supply - #FF: First Fill @@ -44782,6 +45827,7 @@ Value Sets: 1230 (unversioned) - #UD: Unit Dose - #UDE: unit dose equivalent - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActPriority|2019-07-31 + references: 1, strongest binding: Example - #A: ASAP - #CR: callback results - #CS: callback for scheduling @@ -44798,6 +45844,7 @@ Value Sets: 1230 (unversioned) - #UD: use as directed - #UR: urgent - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActReason|2019-07-31 + references: 1, strongest binding: Example - #_ActAccommodationReason: ActAccommodationReason - #_ActBillableClinicalServiceReason: ActBillableClinicalServiceReason - #_ActBillableServiceReason: ActBillableServiceReason @@ -45079,12 +46126,14 @@ Value Sets: 1230 (unversioned) - #WORK: work related - #WRNGVER: wrong version - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActRelationshipCheckpoint|2019-07-31 + references: 0, strongest binding: - #B: beginning - #E: end - #S: entry - #T: through - #X: exit - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActRelationshipConditional|2014-03-26 + references: 0, strongest binding: - #ACTIMM: active immunization against - #ADJUNCT: adjunctive treatment - #BLOCK: blocks @@ -45103,11 +46152,13 @@ Value Sets: 1230 (unversioned) - #TREAT: treats - #TRIG: has trigger - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActRelationshipFulfills|2014-03-26 + references: 0, strongest binding: - #FLFS: fulfills - #OCCR: occurrence - #OREF: references order - #SCH: schedules request - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActRelationshipHasComponent|2014-03-26 + references: 0, strongest binding: - #ARR: arrival - #COMP: has component - #CTRLV: has control variable @@ -45116,18 +46167,22 @@ Value Sets: 1230 (unversioned) - #PART: has part - #STEP: has step - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActRelationshipJoin|2019-07-31 + references: 0, strongest binding: - #D: detached - #K: kill - #W: wait - #X: exclusive wait - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActRelationshipPertains|2014-03-26 + references: 0, strongest binding: - #PERT: has pertinent information - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActRelationshipSplit|2019-07-31 + references: 0, strongest binding: - #E1: exclusive try once - #EW: exclusive wait - #I1: inclusive try once - #IW: inclusive wait - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActRelationshipSubset|2019-07-31 + references: 0, strongest binding: - #_ParticipationSubset: ParticipationSubset - #ActRelationshipExpectedSubset: ActRelationshipExpectedSubset - #ActRelationshipPastSubset: ActRelationshipPastSubset @@ -45143,6 +46198,7 @@ Value Sets: 1230 (unversioned) - #RECENT: most recent - #SUM: summary - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActRelationshipType|2019-07-31 + references: 0, strongest binding: - #_ActClassTemporallyPertains: ActClassTemporallyPertains - #_ActRelationshipAccounting: ActRelationshipAccounting - #_ActRelationshipConditional: ActRelationshipConditional @@ -45281,6 +46337,7 @@ Value Sets: 1230 (unversioned) - #XCRPT: Excerpts - #XFRM: transformation - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActSite|2019-07-31 + references: 0, strongest binding: - #_HumanActSite: HumanActSite - #_HumanSubstanceAdministrationSite: HumanSubstanceAdministrationSite - #BE: bilateral ears @@ -45336,6 +46393,7 @@ Value Sets: 1230 (unversioned) - #RVG: right ventragluteal - #RVL: right vastus lateralis - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActStatus|2019-07-31 + references: 0, strongest binding: - #aborted: aborted - #active: active - #cancelled: cancelled @@ -45347,6 +46405,7 @@ Value Sets: 1230 (unversioned) - #obsolete: obsolete - #suspended: suspended - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActSubstanceAdminSubstitutionCode|2014-03-26 + references: 2, strongest binding: Example - #BC: brand composition - #E: equivalent - #EC: equivalent composition @@ -45357,6 +46416,7 @@ Value Sets: 1230 (unversioned) - #TE: therapeutic alternative - #TG: therapeutic generic - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActTaskCode|2014-03-26 + references: 0, strongest binding: - #_ActTaskCode: ActTaskCode - #ALLERLE: allergy list entry - #ALLERLREV: allergy list review @@ -45396,9 +46456,11 @@ Value Sets: 1230 (unversioned) - #WELLREMLE: wellness reminder list entry - #WELLREMLREV: wellness reminder list review - ValueSet: http://terminology.hl7.org/ValueSet/v3-ActUncertainty|2019-07-31 + references: 0, strongest binding: - #N: stated with no assertion of uncertainty - #U: stated with uncertainty - ValueSet: http://terminology.hl7.org/ValueSet/v3-AddressPartType|2019-07-31 + references: 0, strongest binding: - #ADL: additional locator - #AL: address line - #BNN: building number numeric @@ -45430,6 +46492,7 @@ Value Sets: 1230 (unversioned) - #UNIT: unit designator - #ZIP: postal code - ValueSet: http://terminology.hl7.org/ValueSet/v3-AddressUse|2019-07-31 + references: 0, strongest binding: - #_GeneralAddressUse: _GeneralAddressUse - #_PostalAddressUse: _PostalAddressUse - #_TelecommunicationAddressUse: _TelecommunicationAddressUse @@ -45450,10 +46513,12 @@ Value Sets: 1230 (unversioned) - #TMP: temporary address - #WP: work place - ValueSet: http://terminology.hl7.org/ValueSet/v3-AdministrativeGender|2019-07-31 + references: 0, strongest binding: - #F: Female - #M: Male - #UN: Undifferentiated - ValueSet: http://terminology.hl7.org/ValueSet/v3-AmericanIndianAlaskaNativeLanguages|2019-07-31 + references: 0, strongest binding: - #_Abenakian: Abenakian - #_Aleut: Aleut - #_Algic: Algic @@ -45710,12 +46775,16 @@ Value Sets: 1230 (unversioned) - #x-YUR: Yurok - #x-ZUN: Zuni - ValueSet: http://terminology.hl7.org/ValueSet/v3-Calendar|2019-07-31 + references: 0, strongest binding: - #GREG: Gregorian - ValueSet: http://terminology.hl7.org/ValueSet/v3-CalendarCycle|2019-07-31 + references: 0, strongest binding: - #WM: week of the month - ValueSet: http://terminology.hl7.org/ValueSet/v3-CalendarType|2019-07-31 + references: 0, strongest binding: - #GREG: Gregorian - ValueSet: http://terminology.hl7.org/ValueSet/v3-Charset|2019-07-31 + references: 0, strongest binding: - #EBCDIC: EBCDIC - #ISO-10646-UCS-2: ISO-10646-UCS-2 - #ISO-10646-UCS-4: ISO-10646-UCS-4 @@ -45727,6 +46796,7 @@ Value Sets: 1230 (unversioned) - #UTF-7: UTF-7 - #UTF-8: UTF-8 - ValueSet: http://terminology.hl7.org/ValueSet/v3-CodingRationale|2019-07-31 + references: 0, strongest binding: - #HL7: HL7 Specified or Mandated - #O: originally produced code - #OR: original and required @@ -45736,10 +46806,12 @@ Value Sets: 1230 (unversioned) - #SH: Both HL7 mandated and the original code - #SRC: Source (or original) code - ValueSet: http://terminology.hl7.org/ValueSet/v3-CommunicationFunctionType|2019-07-31 + references: 0, strongest binding: - #RCV: receiver - #RSP: respond to - #SND: sender - ValueSet: http://terminology.hl7.org/ValueSet/v3-Compartment|2014-03-26 + references: 0, strongest binding: - #ACOCOMPT: accountable care organization compartment - #COMPT: compartment - #CTCOMPT: care team compartment @@ -45750,6 +46822,7 @@ Value Sets: 1230 (unversioned) - #RESCOMPT: research project compartment - #RMGTCOMPT: records management compartment - ValueSet: http://terminology.hl7.org/ValueSet/v3-CompressionAlgorithm|2019-07-31 + references: 0, strongest binding: - #BZ: bzip - #DF: deflate - #GZ: gzip @@ -45757,6 +46830,7 @@ Value Sets: 1230 (unversioned) - #Z7: Z7 - #ZL: zlib - ValueSet: http://terminology.hl7.org/ValueSet/v3-Confidentiality|2019-07-31 + references: 0, strongest binding: - #_Confidentiality: Confidentiality - #_ConfidentialityByAccessKind: ConfidentialityByAccessKind - #_ConfidentialityByInfoType: ConfidentialityByInfoType @@ -45778,6 +46852,7 @@ Value Sets: 1230 (unversioned) - #U: unrestricted - #V: very restricted - ValueSet: http://terminology.hl7.org/ValueSet/v3-ConfidentialityClassification|2014-03-26 + references: 1, strongest binding: Required - #L: low - #M: moderate - #N: normal @@ -45785,6 +46860,7 @@ Value Sets: 1230 (unversioned) - #U: unrestricted - #V: very restricted - ValueSet: http://terminology.hl7.org/ValueSet/v3-ContainerCap|2019-07-31 + references: 0, strongest binding: - #_MedicationCap: MedicationCap - #CHILD: ChildProof - #EASY: EasyOpen @@ -45793,12 +46869,15 @@ Value Sets: 1230 (unversioned) - #PUSH: Push Cap - #SCR: Screw Cap - ValueSet: http://terminology.hl7.org/ValueSet/v3-ContainerSeparator|2019-07-31 + references: 0, strongest binding: - #GEL: Gel - #NONE: None - ValueSet: http://terminology.hl7.org/ValueSet/v3-ContentProcessingMode|2019-07-31 + references: 0, strongest binding: - #SEQL: Sequential - #UNOR: Unordered - ValueSet: http://terminology.hl7.org/ValueSet/v3-ContextControl|2019-07-31 + references: 0, strongest binding: - #_ContextControlAdditive: ContextControlAdditive - #_ContextControlNonPropagating: ContextControlNonPropagating - #_ContextControlOverriding: ContextControlOverriding @@ -45808,6 +46887,7 @@ Value Sets: 1230 (unversioned) - #ON: overriding, non-propagating - #OP: overriding, propagating - ValueSet: http://terminology.hl7.org/ValueSet/v3-DataOperation|2019-07-31 + references: 0, strongest binding: - #ABORT: abort - #ACTIVATE: activate - #APPEND: append @@ -45829,6 +46909,7 @@ Value Sets: 1230 (unversioned) - #SUSPEND: suspend - #UPDATE: revise - ValueSet: http://terminology.hl7.org/ValueSet/v3-Dentition|2019-07-31 + references: 0, strongest binding: - #ArtificialDentition: Artificial dentition - #PermanentDentition: Permanent dentition - #PrimaryDentition: Primary dentition @@ -46134,11 +47215,13 @@ Value Sets: 1230 (unversioned) - #TIDT: T - #TIDTs: Ts - ValueSet: http://terminology.hl7.org/ValueSet/v3-DeviceAlertLevel|2019-07-31 + references: 0, strongest binding: - #C: Critical - #N: Normal - #S: Serious - #W: Warning - ValueSet: http://terminology.hl7.org/ValueSet/v3-DocumentCompletion|2019-07-31 + references: 0, strongest binding: - #AU: authenticated - #DI: dictated - #DO: documented @@ -46149,11 +47232,13 @@ Value Sets: 1230 (unversioned) - #PA: pre-authenticated - #UC: unsigned completed document - ValueSet: http://terminology.hl7.org/ValueSet/v3-DocumentStorage|2019-07-31 + references: 0, strongest binding: - #AA: active and archived - #AC: active - #AR: archived (not active) - #PU: purged - ValueSet: http://terminology.hl7.org/ValueSet/v3-EducationLevel|2019-07-31 + references: 0, strongest binding: - #ASSOC: Associate's or technical degree complete - #BD: College or baccalaureate degree complete - #ELEM: Elementary School @@ -46164,23 +47249,28 @@ Value Sets: 1230 (unversioned) - #SCOL: Some College education - #SEC: Some secondary or high school education - ValueSet: http://terminology.hl7.org/ValueSet/v3-EmployeeJobClass|2019-07-31 + references: 0, strongest binding: - #FT: full-time - #PT: part-time - ValueSet: http://terminology.hl7.org/ValueSet/v3-employmentStatusODH|2019-07-31 + references: 0, strongest binding: - #Employed: Employed - #NotInLaborForce: Not In Labor Force - #Unemployed: Unemployed - ValueSet: http://terminology.hl7.org/ValueSet/v3-EncounterAdmissionSource|2019-07-31 + references: 0, strongest binding: - #E: emergency - #LD: labor and delivery - #NB: newborn - ValueSet: http://terminology.hl7.org/ValueSet/v3-EncounterSpecialCourtesy|2019-07-31 + references: 0, strongest binding: - #EXT: extended courtesy - #NRM: normal courtesy - #PRF: professional courtesy - #STF: staff - #VIP: very important person - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityClass|2019-07-31 + references: 0, strongest binding: - #ANM: animal - #CER: certificate representation - #CHEM: chemical substance @@ -46209,10 +47299,12 @@ Value Sets: 1230 (unversioned) - #RGRP: group - #STATE: state - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityClassDevice|2014-03-26 + references: 0, strongest binding: - #CER: certificate representation - #DEV: device - #MODDV: imaging modality - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityClassLivingSubject|2014-03-26 + references: 0, strongest binding: - #ANM: animal - #LIV: living subject - #MIC: microorganism @@ -46220,6 +47312,7 @@ Value Sets: 1230 (unversioned) - #PLNT: plant - #PSN: person - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityClassManufacturedMaterial|2014-03-26 + references: 0, strongest binding: - #CER: certificate representation - #CONT: container - #DEV: device @@ -46227,17 +47320,20 @@ Value Sets: 1230 (unversioned) - #MMAT: manufactured material - #MODDV: imaging modality - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityClassOrganization|2014-03-26 + references: 0, strongest binding: - #NAT: Nation - #ORG: organization - #PUB: public institution - #STATE: state - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityClassPlace|2014-03-26 + references: 0, strongest binding: - #CITY: city or town - #COUNTRY: country - #COUNTY: county or parish - #PLC: place - #PROVINCE: state or province - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityClassRoot|2014-03-26 + references: 0, strongest binding: - #ANM: animal - #CER: certificate representation - #CHEM: chemical substance @@ -46266,6 +47362,7 @@ Value Sets: 1230 (unversioned) - #RGRP: group - #STATE: state - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityCode|2019-07-31 + references: 0, strongest binding: - #_AccessMedicalDevice: AccessMedicalDevice - #_AdministrationMedicalDevice: AdministrationMedicalDevice - #_ClinicalDrug: ClinicalDrug @@ -46412,16 +47509,19 @@ Value Sets: 1230 (unversioned) - #WEST: Buffered Citrate - #WING: Wing Location - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityDeterminer|2019-07-31 + references: 0, strongest binding: - #GROUP: specific group - #GROUPKIND: described group - #INSTANCE: specific - #KIND: described - #QUANTIFIED_KIND: described quantified - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityDeterminerDetermined|2014-03-26 + references: 0, strongest binding: - #GROUPKIND: described group - #KIND: described - #QUANTIFIED_KIND: described quantified - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityHandling|2019-07-31 + references: 0, strongest binding: - #AMB: Ambient Temperature - #C37: Body Temperature - #CAMB: Critical Ambient temperature @@ -46441,6 +47541,7 @@ Value Sets: 1230 (unversioned) - #UFRZ: Ultra frozen - #UPR: upright - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityNamePartQualifier|2019-07-31 + references: 0, strongest binding: - #_OrganizationNamePartQualifier: OrganizationNamePartQualifier - #_PersonNamePartAffixTypes: PersonNamePartAffixTypes - #_PersonNamePartChangeQualifier: PersonNamePartChangeQualifier @@ -46471,6 +47572,7 @@ Value Sets: 1230 (unversioned) - #USE: intended use name - #VV: voorvoegsel - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityNamePartQualifierR2|2019-07-31 + references: 0, strongest binding: - #AC: academic - #AD: acquired - #BR: birth @@ -46499,17 +47601,20 @@ Value Sets: 1230 (unversioned) - #TMK: trademark name - #USE: intended use name - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityNamePartType|2019-07-31 + references: 0, strongest binding: - #DEL: delimiter - #FAM: family - #GIV: given - #PFX: prefix - #SFX: suffix - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityNamePartTypeR2|2019-07-31 + references: 0, strongest binding: - #DEL: delimiter - #FAM: family - #GIV: given - #TITLE: title - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityNameUse|2019-07-31 + references: 0, strongest binding: - #_NameRepresentationUse: NameRepresentationUse - #A: Artist/Stage - #ABC: Alphabetic @@ -46526,6 +47631,7 @@ Value Sets: 1230 (unversioned) - #SRCH: search - #SYL: Syllabic - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityNameUseR2|2019-07-31 + references: 1, strongest binding: Required - #A: business name - #ABC: alphabetic - #ANON: Anonymous @@ -46545,6 +47651,7 @@ Value Sets: 1230 (unversioned) - #SYL: syllabic - #T: temporary - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityRisk|2019-07-31 + references: 0, strongest binding: - #AGG: aggressive - #BHZ: biohazard - #BIO: Biological @@ -46557,17 +47664,20 @@ Value Sets: 1230 (unversioned) - #POI: poison - #RAD: radioactive - ValueSet: http://terminology.hl7.org/ValueSet/v3-EntityStatus|2019-07-31 + references: 0, strongest binding: - #active: active - #inactive: inactive - #normal: normal - #nullified: nullified - #terminated: terminated - ValueSet: http://terminology.hl7.org/ValueSet/v3-EquipmentAlertLevel|2019-07-31 + references: 0, strongest binding: - #C: Critical - #N: Normal - #S: Serious - #W: Warning - ValueSet: http://terminology.hl7.org/ValueSet/v3-Ethnicity|2019-07-31 + references: 0, strongest binding: - #2135-2: Hispanic or Latino - #2137-8: Spaniard - #2138-6: Andalusian @@ -46612,12 +47722,14 @@ Value Sets: 1230 (unversioned) - #2184-0: Dominican - #2186-5: Not Hispanic or Latino - ValueSet: http://terminology.hl7.org/ValueSet/v3-ExposureMode|2019-07-31 + references: 0, strongest binding: - #_ExposureMode: ExposureMode - #AIRBORNE: airborne - #CONTACT: contact - #FOODBORNE: foodborne - #WATERBORNE: waterborne - ValueSet: http://terminology.hl7.org/ValueSet/v3-FamilyMember|2014-03-26 + references: 1, strongest binding: Example - #ADOPTF: adoptive father - #ADOPTM: adoptive mother - #ADOPTP: adoptive parent @@ -46724,9 +47836,11 @@ Value Sets: 1230 (unversioned) - #UNCLE: uncle - #WIFE: wife - ValueSet: http://terminology.hl7.org/ValueSet/v3-GenderStatus|2019-07-31 + references: 0, strongest binding: - #I: Intact - #N: Neutered - ValueSet: http://terminology.hl7.org/ValueSet/v3-GeneralPurposeOfUse|2014-03-26 + references: 0, strongest binding: - #COVERAGE: coverage under policy or program - #ETREAT: Emergency Treatment - #HMARKT: healthcare marketing @@ -46737,6 +47851,7 @@ Value Sets: 1230 (unversioned) - #PUBHLTH: public health - #TREAT: treatment - ValueSet: http://terminology.hl7.org/ValueSet/v3-GTSAbbreviation|2019-07-31 + references: 0, strongest binding: - #_GTSAbbreviationHolidaysChristianRoman: GTSAbbreviationHolidaysChristianRoman - #AM: AM - #BED: at bedtime @@ -46782,6 +47897,7 @@ Value Sets: 1230 (unversioned) - #TID: TID - #WK: weekly - ValueSet: http://terminology.hl7.org/ValueSet/v3-hl7ApprovalStatus|2019-07-31 + references: 0, strongest binding: - #affd: affiliate ballot - DSTU - #affi: affiliate ballot - informative - #affn: affiliate ballot - normative @@ -46801,6 +47917,7 @@ Value Sets: 1230 (unversioned) - #ref: reference - #wd: withdrawn - ValueSet: http://terminology.hl7.org/ValueSet/v3-hl7CMETAttribution|2019-07-31 + references: 0, strongest binding: - #contact: contact - #identified: identified - #identified-confirmable: identified-confirmable @@ -46809,15 +47926,19 @@ Value Sets: 1230 (unversioned) - #minimal: minimal - #universal: universal - ValueSet: http://terminology.hl7.org/ValueSet/v3-HL7ContextConductionStyle|2019-07-31 + references: 0, strongest binding: - #C: conduction-indicator-based - #I: inferred - #V: vocabulary-based - ValueSet: http://terminology.hl7.org/ValueSet/v3-hl7ITSType|2019-07-31 + references: 0, strongest binding: - #UML: universal modeling language - #XML: extensible markup language - ValueSet: http://terminology.hl7.org/ValueSet/v3-hl7ITSVersionCode|2019-07-31 + references: 0, strongest binding: - #XMLV1PR1: XMLV1PR1 - ValueSet: http://terminology.hl7.org/ValueSet/v3-hl7PublishingDomain|2019-07-31 + references: 0, strongest binding: - #AB: accounting & billing - #AI: trigger event control act infrastructure - #AL: artificial listing for test purposes - faux Domain for testing @@ -46861,11 +47982,13 @@ Value Sets: 1230 (unversioned) - #SP: specimen - #TD: therapeutic devices - ValueSet: http://terminology.hl7.org/ValueSet/v3-hl7PublishingSection|2019-07-31 + references: 0, strongest binding: - #AM: administrative management - #HM: health and clinical management - #IM: infrastructure management - #UU: unknown - ValueSet: http://terminology.hl7.org/ValueSet/v3-hl7PublishingSubSection|2019-07-31 + references: 0, strongest binding: - #CO: common - #FI: financial information - #MC: message control @@ -46877,6 +48000,7 @@ Value Sets: 1230 (unversioned) - #RE: reasoning - #UU: unknown - ValueSet: http://terminology.hl7.org/ValueSet/v3-hl7Realm|2019-07-31 + references: 0, strongest binding: - #AffiliateRealms: Affiliate Realms - #AR: Argentina - #AT: Austria @@ -46923,6 +48047,7 @@ Value Sets: 1230 (unversioned) - #X1: Example Realm - #ZZ: Localized Version - ValueSet: http://terminology.hl7.org/ValueSet/v3-HL7StandardVersionCode|2019-07-31 + references: 0, strongest binding: - #Ballot2008Jan: Ballot 2008 January - #Ballot2008May: Ballot 2008 May - #Ballot2008Sep: Ballot 2008 September @@ -46949,6 +48074,7 @@ Value Sets: 1230 (unversioned) - #V3-2012N: 2012 Normative Edition - #V3PR1: Version3 Pre-release #1 - ValueSet: http://terminology.hl7.org/ValueSet/v3-HL7UpdateMode|2019-07-31 + references: 0, strongest binding: - #_SetUpdateMode: SetUpdateMode - #A: Add - #AR: Add or Replace @@ -46966,6 +48092,7 @@ Value Sets: 1230 (unversioned) - #U: Unknown - #V: Verify - ValueSet: http://terminology.hl7.org/ValueSet/v3-hl7V3Conformance|2019-07-31 + references: 0, strongest binding: - #I: ignored - #NP: not permitted - #R: required @@ -46973,6 +48100,7 @@ Value Sets: 1230 (unversioned) - #RI: required for initiator - #U: undetermined - ValueSet: http://terminology.hl7.org/ValueSet/v3-hl7VoteResolution|2019-07-31 + references: 0, strongest binding: - #affdef: affirmative-deferred - #affi: affirmative-incorporated - #affirmativeResolution: affirmative resolution @@ -46987,6 +48115,7 @@ Value Sets: 1230 (unversioned) - #unresolved: unresolved - #withdraw: withdrawn - ValueSet: http://terminology.hl7.org/ValueSet/v3-HtmlLinkType|2019-07-31 + references: 0, strongest binding: - #alternate: alternate - #appendix: appendix - #bookmark: bookmark @@ -47003,15 +48132,18 @@ Value Sets: 1230 (unversioned) - #stylesheet: stylesheet - #subsection: subsection - ValueSet: http://terminology.hl7.org/ValueSet/v3-IdentifierReliability|2019-07-31 + references: 0, strongest binding: - #ISS: Issued by System - #UNV: Unverified by system - #VRF: Verified by system - ValueSet: http://terminology.hl7.org/ValueSet/v3-IdentifierScope|2019-07-31 + references: 0, strongest binding: - #BUSN: Business Identifier - #OBJ: Object Identifier - #VER: Version Identifier - #VW: View Specific Identifier - ValueSet: http://terminology.hl7.org/ValueSet/v3-InformationSensitivityPolicy|2014-03-26 + references: 0, strongest binding: - #_ActInformationSensitivityPolicy: ActInformationSensitivityPolicy - #_EntitySensitivityPolicyType: EntityInformationSensitivityPolicy - #_InformationSensitivityPolicy: InformationSensitivityPolicy @@ -47060,9 +48192,11 @@ Value Sets: 1230 (unversioned) - #TBOO: taboo - #VIO: violence information sensitivity - ValueSet: http://terminology.hl7.org/ValueSet/v3-IntegrityCheckAlgorithm|2019-07-31 + references: 0, strongest binding: - #SHA-1: secure hash algorithm - 1 - #SHA-256: secure hash algorithm - 256 - ValueSet: http://terminology.hl7.org/ValueSet/v3-LanguageAbilityMode|2019-07-31 + references: 0, strongest binding: - #ESGN: Expressed signed - #ESP: Expressed spoken - #EWR: Expressed written @@ -47070,11 +48204,13 @@ Value Sets: 1230 (unversioned) - #RSP: Received spoken - #RWR: Received written - ValueSet: http://terminology.hl7.org/ValueSet/v3-LanguageAbilityProficiency|2019-07-31 + references: 0, strongest binding: - #E: Excellent - #F: Fair - #G: Good - #P: Poor - ValueSet: http://terminology.hl7.org/ValueSet/v3-LivingArrangement|2019-07-31 + references: 0, strongest binding: - #CS: community shelter - #G: Group Home - #H: Independent Household @@ -47088,12 +48224,15 @@ Value Sets: 1230 (unversioned) - #T: Transient - #X: Extended care facility - ValueSet: http://terminology.hl7.org/ValueSet/v3-LocalMarkupIgnore|2019-07-31 + references: 0, strongest binding: - #all: all - #markup: markup - ValueSet: http://terminology.hl7.org/ValueSet/v3-LocalRemoteControlState|2019-07-31 + references: 0, strongest binding: - #L: Local - #R: Remote - ValueSet: http://terminology.hl7.org/ValueSet/v3-ManagedParticipationStatus|2019-07-31 + references: 0, strongest binding: - #active: active - #cancelled: cancelled - #completed: completed @@ -47101,10 +48240,12 @@ Value Sets: 1230 (unversioned) - #nullified: nullified - #pending: pending - ValueSet: http://terminology.hl7.org/ValueSet/v3-MapRelationship|2019-07-31 + references: 0, strongest binding: - #BT: Broader Than - #E: Exact - #NT: Narrower Than - ValueSet: http://terminology.hl7.org/ValueSet/v3-MaritalStatus|2019-07-31 + references: 0, strongest binding: - #A: Annulled - #C: Common Law - #D: Divorced @@ -47117,18 +48258,22 @@ Value Sets: 1230 (unversioned) - #U: unmarried - #W: Widowed - ValueSet: http://terminology.hl7.org/ValueSet/v3-MessageWaitingPriority|2019-07-31 + references: 0, strongest binding: - #H: High - #L: Low - #M: Medium - ValueSet: http://terminology.hl7.org/ValueSet/v3-MilitaryRoleType|2014-03-26 + references: 0, strongest binding: - #ACTMIL: active duty military - #MIL: military - #RETMIL: retired military - #VET: veteran - ValueSet: http://terminology.hl7.org/ValueSet/v3-ModifyIndicator|2019-07-31 + references: 0, strongest binding: - #M: Modified subscription - #N: New subscription - ValueSet: http://terminology.hl7.org/ValueSet/v3-NullFlavor|2019-07-31 + references: 1, strongest binding: Required - #ASKU: asked but unknown - #DER: derived - #INV: invalid @@ -47147,6 +48292,7 @@ Value Sets: 1230 (unversioned) - #UNC: un-encoded - #UNK: unknown - ValueSet: http://terminology.hl7.org/ValueSet/v3-ObligationPolicy|2014-03-26 + references: 0, strongest binding: - #ANONY: anonymize - #AOD: accounting of disclosure - #AUDIT: audit @@ -47177,6 +48323,7 @@ Value Sets: 1230 (unversioned) - #REDACT: redact - #UPGRDLABEL: upgrade security label - ValueSet: http://terminology.hl7.org/ValueSet/v3-ObservationCategory|2019-07-31 + references: 0, strongest binding: - #exam: Exam - #imaging: Imaging - #laboratory: Laboratory @@ -47186,6 +48333,7 @@ Value Sets: 1230 (unversioned) - #therapy: Therapy - #vital-signs: Vital Signs - ValueSet: http://terminology.hl7.org/ValueSet/v3-ObservationInterpretation|2019-07-31 + references: 0, strongest binding: - #_GeneticObservationInterpretation: GeneticObservationInterpretation - #_ObservationInterpretationChange: ObservationInterpretationChange - #_ObservationInterpretationExceptions: ObservationInterpretationExceptions @@ -47234,6 +48382,7 @@ Value Sets: 1230 (unversioned) - #W: Worse - #WR: Weakly reactive - ValueSet: http://terminology.hl7.org/ValueSet/v3-ObservationMethod|2019-07-31 + references: 0, strongest binding: - #_DecisionObservationMethod: DecisionObservationMethod - #_GeneticObservationMethod: GeneticObservationMethod - #_ObservationMethodAggregate: observation method aggregate @@ -47539,6 +48688,7 @@ Value Sets: 1230 (unversioned) - #VTOKEN: electronic token verification - #VVOICE: voice-based verification - ValueSet: http://terminology.hl7.org/ValueSet/v3-ObservationType|2014-03-26 + references: 0, strongest binding: - #_ActAdministrativeAuthorizationDetectedIssueCode: ActAdministrativeAuthorizationDetectedIssueCode - #_ActAdministrativeDetectedIssueCode: ActAdministrativeDetectedIssueCode - #_ActAdministrativeRuleDetectedIssueCode: ActAdministrativeRuleDetectedIssueCode @@ -47814,6 +48964,7 @@ Value Sets: 1230 (unversioned) - #WATTRNS: water-borne transmission - #WGHT: - ValueSet: http://terminology.hl7.org/ValueSet/v3-ObservationValue|2019-07-31 + references: 0, strongest binding: - #_ActCoverageAssessmentObservationValue: ActCoverageAssessmentObservationValue - #_ActFinancialStatusObservationValue: ActFinancialStatusObservationValue - #_AllergyTestValue: AllergyTestValue @@ -48059,6 +49210,7 @@ Value Sets: 1230 (unversioned) - #VS: variable shift - #WEIGHTSCR: Weighted Scoring - ValueSet: http://terminology.hl7.org/ValueSet/v3-orderableDrugForm|2019-07-31 + references: 0, strongest binding: - #_AdministrableDrugForm: AdministrableDrugForm - #_DispensableDrugForm: DispensableDrugForm - #_GasDrugForm: GasDrugForm @@ -48221,6 +49373,7 @@ Value Sets: 1230 (unversioned) - #VGELAPL: Vaginal Gel with Applicator - #WAFER: Wafer - ValueSet: http://terminology.hl7.org/ValueSet/v3-ParticipationFunction|2019-07-31 + references: 0, strongest binding: - #_AuthorizedParticipationFunction: AuthorizedParticipationFunction - #_AuthorizedReceiverParticipationFunction: AuthorizedReceiverParticipationFunction - #_ConsenterParticipationFunction: ConsenterParticipationFunction @@ -48271,6 +49424,7 @@ Value Sets: 1230 (unversioned) - #UMGT: utilization management - #UNDERWRTNG: underwriting - ValueSet: http://terminology.hl7.org/ValueSet/v3-ParticipationIndirectTarget|2014-03-26 + references: 0, strongest binding: - #BEN: beneficiary - #CAGNT: causative agent - #COV: coverage target @@ -48280,15 +49434,18 @@ Value Sets: 1230 (unversioned) - #RCT: record target - #RCV: receiver - ValueSet: http://terminology.hl7.org/ValueSet/v3-ParticipationInformationGenerator|2014-03-26 + references: 0, strongest binding: - #AUT: author (originator) - #ENT: data entry person - #INF: informant - #TRANS: Transcriber - #WIT: witness - ValueSet: http://terminology.hl7.org/ValueSet/v3-ParticipationInformationTranscriber|2014-03-26 + references: 0, strongest binding: - #ENT: data entry person - #TRANS: Transcriber - ValueSet: http://terminology.hl7.org/ValueSet/v3-ParticipationMode|2019-07-31 + references: 2, strongest binding: Example - #DICTATE: dictated - #ELECTRONIC: electronic data - #EMAILWRIT: email @@ -48305,15 +49462,18 @@ Value Sets: 1230 (unversioned) - #VIDEOCONF: videoconferencing - #WRITTEN: written - ValueSet: http://terminology.hl7.org/ValueSet/v3-ParticipationPhysicalPerformer|2014-03-26 + references: 0, strongest binding: - #DIST: distributor - #PPRF: primary performer - #PRF: performer - #SPRF: secondary performer - ValueSet: http://terminology.hl7.org/ValueSet/v3-ParticipationSignature|2019-07-31 + references: 0, strongest binding: - #I: intended - #S: signed - #X: required - ValueSet: http://terminology.hl7.org/ValueSet/v3-ParticipationTargetDirect|2014-03-26 + references: 0, strongest binding: - #ALY: analyte - #BBY: baby - #CAT: catalyst @@ -48332,6 +49492,7 @@ Value Sets: 1230 (unversioned) - #SPC: specimen - #TPA: therapeutic agent - ValueSet: http://terminology.hl7.org/ValueSet/v3-ParticipationTargetLocation|2014-03-26 + references: 0, strongest binding: - #DST: destination - #ELOC: entry location - #LOC: location @@ -48339,9 +49500,11 @@ Value Sets: 1230 (unversioned) - #RML: remote - #VIA: via - ValueSet: http://terminology.hl7.org/ValueSet/v3-ParticipationTargetSubject|2014-03-26 + references: 0, strongest binding: - #SBJ: subject - #SPC: specimen - ValueSet: http://terminology.hl7.org/ValueSet/v3-ParticipationType|2019-07-31 + references: 0, strongest binding: - #_ParticipationAncillary: ParticipationAncillary - #_ParticipationInformationGenerator: ParticipationInformationGenerator - #ADM: admitter @@ -48404,10 +49567,12 @@ Value Sets: 1230 (unversioned) - #VRF: verifier - #WIT: witness - ValueSet: http://terminology.hl7.org/ValueSet/v3-ParticipationVerifier|2014-03-26 + references: 0, strongest binding: - #AUTHEN: authenticator - #LA: legal authenticator - #VRF: verifier - ValueSet: http://terminology.hl7.org/ValueSet/v3-PatientImportance|2019-07-31 + references: 0, strongest binding: - #BM: Board Member - #DFM: Physician Family Member - #DR: Staff Physician @@ -48418,11 +49583,13 @@ Value Sets: 1230 (unversioned) - #STF: Staff Member - #VIP: Very Important Person - ValueSet: http://terminology.hl7.org/ValueSet/v3-PaymentTerms|2019-07-31 + references: 0, strongest binding: - #COD: Cash on Delivery - #N30: Net 30 days - #N60: Net 60 days - #N90: Net 90 days - ValueSet: http://terminology.hl7.org/ValueSet/v3-PersonalRelationshipRoleType|2014-03-26 + references: 0, strongest binding: - #ADOPTF: adoptive father - #ADOPTM: adoptive mother - #ADOPTP: adoptive parent @@ -48533,6 +49700,7 @@ Value Sets: 1230 (unversioned) - #UNCLE: uncle - #WIFE: wife - ValueSet: http://terminology.hl7.org/ValueSet/v3-PersonDisabilityType|2019-07-31 + references: 0, strongest binding: - #1: Vision impaired - #2: Hearing impaired - #3: Speech impaired @@ -48544,6 +49712,7 @@ Value Sets: 1230 (unversioned) - #WC: Requires wheelchair - #WK: Requires walker - ValueSet: http://terminology.hl7.org/ValueSet/v3-ProbabilityDistributionType|2019-07-31 + references: 0, strongest binding: - #B: beta - #E: exponential - #F: F @@ -48554,15 +49723,18 @@ Value Sets: 1230 (unversioned) - #U: uniform - #X2: chi square - ValueSet: http://terminology.hl7.org/ValueSet/v3-ProcessingID|2019-07-31 + references: 0, strongest binding: - #D: Debugging - #P: Production - #T: Training - ValueSet: http://terminology.hl7.org/ValueSet/v3-ProcessingMode|2019-07-31 + references: 0, strongest binding: - #A: Archive - #I: Initial load - #R: Restore from archive - #T: Current processing - ValueSet: http://terminology.hl7.org/ValueSet/v3-ProvenanceEventCurrentState-AS|2014-08-07 + references: 0, strongest binding: - #aborted: aborted - #cancelled: cancelled - #completed: completed @@ -48570,12 +49742,14 @@ Value Sets: 1230 (unversioned) - #nullified: nullified - #obsolete: obsolete - ValueSet: http://terminology.hl7.org/ValueSet/v3-ProvenanceEventCurrentState-DC|2014-08-07 + references: 0, strongest binding: - #AU: authenticated - #DI: dictated - #DO: documented - #LA: legally authenticated - #UC: unsigned completed document - ValueSet: http://terminology.hl7.org/ValueSet/v3-PurposeOfUse|2014-03-26 + references: 6, strongest binding: Extensible - #BIORCH: biomedical research - #BTG: break the glass - #CAREMGT: care management @@ -48636,6 +49810,7 @@ Value Sets: 1230 (unversioned) - #TRANSRCH: translational healthcare research - #TREAT: treatment - ValueSet: http://terminology.hl7.org/ValueSet/v3-QueryParameterValue|2019-07-31 + references: 0, strongest binding: - #_DispenseQueryFilterCode: dispense query filter code - #_OrderFilterCode: _OrderFilterCode - #_PrescriptionDispenseFilterCode: Prescription Dispense Filter Code @@ -48653,23 +49828,28 @@ Value Sets: 1230 (unversioned) - #OWR: orders with results - #R: Dispensed with remaining fills - ValueSet: http://terminology.hl7.org/ValueSet/v3-QueryPriority|2019-07-31 + references: 0, strongest binding: - #D: Deferred - #I: Immediate - ValueSet: http://terminology.hl7.org/ValueSet/v3-QueryRequestLimit|2019-07-31 + references: 0, strongest binding: - #_QueryRequestLimit: QueryRequestLimit - #RD: record - ValueSet: http://terminology.hl7.org/ValueSet/v3-QueryResponse|2019-07-31 + references: 0, strongest binding: - #AE: ApplicationError - #NF: No data found - #OK: Data found - #QE: QueryParameterError - ValueSet: http://terminology.hl7.org/ValueSet/v3-QueryStatusCode|2019-07-31 + references: 0, strongest binding: - #aborted: aborted - #deliveredResponse: deliveredResponse - #executing: executing - #new: new - #waitContinuedQueryResponse: waitContinuedQueryResponse - ValueSet: http://terminology.hl7.org/ValueSet/v3-Race|2019-07-31 + references: 0, strongest binding: - #1002-5: American Indian or Alaska Native - #1004-1: American Indian - #1006-6: Abenaki @@ -49592,6 +50772,7 @@ Value Sets: 1230 (unversioned) - #2131-1: Other Race - #2500-7: Other Pacific Islander - ValueSet: http://terminology.hl7.org/ValueSet/v3-RefrainPolicy|2014-03-26 + references: 0, strongest binding: - #NOAUTH: no disclosure without subject authorization - #NOCOLLECT: no collection - #NODSCLCD: no disclosure without consent directive @@ -49611,6 +50792,7 @@ Value Sets: 1230 (unversioned) - #ORCON: no disclosure without originator authorization - #RefrainPolicy: refrain policy - ValueSet: http://terminology.hl7.org/ValueSet/v3-RelationalOperator|2019-07-31 + references: 0, strongest binding: - #CT: Contains - #EQ: Equal - #GE: Greater than or equal @@ -49620,10 +50802,12 @@ Value Sets: 1230 (unversioned) - #LT: Less than - #NE: Not Equal - ValueSet: http://terminology.hl7.org/ValueSet/v3-RelationshipConjunction|2019-07-31 + references: 0, strongest binding: - #AND: and - #OR: or - #XOR: exclusive or - ValueSet: http://terminology.hl7.org/ValueSet/v3-ReligiousAffiliation|2019-07-31 + references: 1, strongest binding: Extensible - #1001: Adventist - #1002: African Religions - #1003: Afro-Caribbean Religions @@ -49707,6 +50891,7 @@ Value Sets: 1230 (unversioned) - #1081: Unitarian Universalist - #1082: United Church of Christ - ValueSet: http://terminology.hl7.org/ValueSet/v3-ResponseLevel|2019-07-31 + references: 0, strongest binding: - #C: completion - #D: detail - #E: exception @@ -49715,14 +50900,17 @@ Value Sets: 1230 (unversioned) - #R: modification - #X: none - ValueSet: http://terminology.hl7.org/ValueSet/v3-ResponseModality|2019-07-31 + references: 0, strongest binding: - #B: Batch - #R: Real Time - #T: Bolus - ValueSet: http://terminology.hl7.org/ValueSet/v3-ResponseMode|2019-07-31 + references: 0, strongest binding: - #D: deferred - #I: immediate - #Q: queue - ValueSet: http://terminology.hl7.org/ValueSet/v3-RoleClass|2019-07-31 + references: 0, strongest binding: - #_RoleClassAssociative: RoleClassAssociative - #_RoleClassMutualRelationship: RoleClassMutualRelationship - #_RoleClassOntological: RoleClassOntological @@ -49836,6 +51024,7 @@ Value Sets: 1230 (unversioned) - #USED: used entity - #WRTE: warranted product - ValueSet: http://terminology.hl7.org/ValueSet/v3-RoleClassAgent|2014-03-26 + references: 0, strongest binding: - #AGNT: agent - #ASSIGNED: assigned entity - #COMPAR: commissioning party @@ -49845,6 +51034,7 @@ Value Sets: 1230 (unversioned) - #NOK: next of kin - #SGNOFF: signing authority or officer - ValueSet: http://terminology.hl7.org/ValueSet/v3-RoleClassAssociative|2014-03-26 + references: 0, strongest binding: - #_RoleClassMutualRelationship: RoleClassMutualRelationship - #_RoleClassPassive: RoleClassPassive - #_RoleClassRelationshipFormal: RoleClassRelationshipFormal @@ -49914,9 +51104,11 @@ Value Sets: 1230 (unversioned) - #USED: used entity - #WRTE: warranted product - ValueSet: http://terminology.hl7.org/ValueSet/v3-RoleClassManufacturedProduct|2014-03-26 + references: 0, strongest binding: - #MANU: manufactured product - #THER: therapeutic agent - ValueSet: http://terminology.hl7.org/ValueSet/v3-RoleClassMutualRelationship|2014-03-26 + references: 0, strongest binding: - #_RoleClassRelationshipFormal: RoleClassRelationshipFormal - #AFFL: affiliate - #AGNT: agent @@ -49958,6 +51150,7 @@ Value Sets: 1230 (unversioned) - #SUBSCR: subscriber - #UNDWRT: underwriter - ValueSet: http://terminology.hl7.org/ValueSet/v3-RoleClassPartitive|2014-03-26 + references: 0, strongest binding: - #ACTI: active ingredient - #ACTIB: active ingredient - basis of strength - #ACTIM: active ingredient - moiety is basis of strength @@ -49986,6 +51179,7 @@ Value Sets: 1230 (unversioned) - #STBL: stabilizer - #STOR: stored entity - ValueSet: http://terminology.hl7.org/ValueSet/v3-RoleClassPassive|2014-03-26 + references: 0, strongest binding: - #ACCESS: access - #ADJY: adjacency - #ADMM: Administerable Material @@ -50013,6 +51207,7 @@ Value Sets: 1230 (unversioned) - #USED: used entity - #WRTE: warranted product - ValueSet: http://terminology.hl7.org/ValueSet/v3-RoleClassRelationshipFormal|2014-03-26 + references: 0, strongest binding: - #AFFL: affiliate - #AGNT: agent - #ASSIGNED: assigned entity @@ -50050,6 +51245,7 @@ Value Sets: 1230 (unversioned) - #SUBSCR: subscriber - #UNDWRT: underwriter - ValueSet: http://terminology.hl7.org/ValueSet/v3-RoleClassRoot|2014-03-26 + references: 0, strongest binding: - #_RoleClassAssociative: RoleClassAssociative - #_RoleClassMutualRelationship: RoleClassMutualRelationship - #_RoleClassOntological: RoleClassOntological @@ -50157,14 +51353,17 @@ Value Sets: 1230 (unversioned) - #USED: used entity - #WRTE: warranted product - ValueSet: http://terminology.hl7.org/ValueSet/v3-RoleClassServiceDeliveryLocation|2014-03-26 + references: 0, strongest binding: - #DSDLOC: dedicated service delivery location - #ISDLOC: incidental service delivery location - #SDLOC: service delivery location - ValueSet: http://terminology.hl7.org/ValueSet/v3-RoleClassSpecimen|2014-03-26 + references: 0, strongest binding: - #ALQT: aliquot - #ISLT: isolate - #SPEC: specimen - ValueSet: http://terminology.hl7.org/ValueSet/v3-RoleCode|2019-07-31 + references: 0, strongest binding: - #_AdministrativeContactRoleType: AdministrativeContactRoleType - #_AffiliationRoleType: AffiliationRoleType - #_AgentRoleType: AgentRoleType @@ -50561,6 +51760,7 @@ Value Sets: 1230 (unversioned) - #WO: Working - #WORK: work site - ValueSet: http://terminology.hl7.org/ValueSet/v3-RoleLinkStatus|2019-07-31 + references: 0, strongest binding: - #ACTIVE: active - #CANCELLED: cancelled - #COMPLETED: completed @@ -50568,6 +51768,7 @@ Value Sets: 1230 (unversioned) - #NULLIFIED: nullified - #PENDING: pending - ValueSet: http://terminology.hl7.org/ValueSet/v3-RoleLinkType|2019-07-31 + references: 0, strongest binding: - #BACKUP: is backup for - #CONT: has contact - #DIRAUTH: has direct authority over @@ -50577,6 +51778,7 @@ Value Sets: 1230 (unversioned) - #REL: related - #REPL: replaces - ValueSet: http://terminology.hl7.org/ValueSet/v3-RoleStatus|2019-07-31 + references: 0, strongest binding: - #active: active - #cancelled: cancelled - #normal: normal @@ -50585,6 +51787,7 @@ Value Sets: 1230 (unversioned) - #suspended: suspended - #terminated: terminated - ValueSet: http://terminology.hl7.org/ValueSet/v3-RouteOfAdministration|2019-07-31 + references: 0, strongest binding: - #_AmnioticFluidSacRoute: AmnioticFluidSacRoute - #_BiliaryRoute: BiliaryRoute - #_BodySurfaceRoute: BodySurfaceRoute @@ -50972,6 +52175,7 @@ Value Sets: 1230 (unversioned) - #VENT: Inhalation, ventilator - #VENTMASK: Inhalation, ventimask - ValueSet: http://terminology.hl7.org/ValueSet/v3-SecurityIntegrityObservationValue|2014-03-26 + references: 0, strongest binding: - #_SECALTINTOBV: alteration integrity - #_SECDATINTOBV: data integrity - #_SECINTCONOBV: integrity confidence @@ -51012,6 +52216,7 @@ Value Sets: 1230 (unversioned) - #UNRELIABLE: unreliable - #VERSIONED: versioned - ValueSet: http://terminology.hl7.org/ValueSet/v3-SecurityPolicy|2014-03-26 + references: 0, strongest binding: - #ACCESSCONSCHEME: access control scheme - #ANONY: anonymize - #AOD: accounting of disclosure @@ -51084,10 +52289,12 @@ Value Sets: 1230 (unversioned) - #UPGRDLABEL: upgrade security label - #UUI: (U) - ValueSet: http://terminology.hl7.org/ValueSet/v3-Sequencing|2019-07-31 + references: 0, strongest binding: - #A: Ascending - #D: Descending - #N: None - ValueSet: http://terminology.hl7.org/ValueSet/v3-ServiceDeliveryLocationRoleType|2014-03-26 + references: 3, strongest binding: Extensible - #_DedicatedClinicalLocationRoleType: DedicatedClinicalLocationRoleType - #_DedicatedNonClinicalLocationRoleType: DedicatedNonClinicalLocationRoleType - #_DedicatedServiceDeliveryLocationRoleType: DedicatedServiceDeliveryLocationRoleType @@ -51216,6 +52423,7 @@ Value Sets: 1230 (unversioned) - #WND: Wound clinic - #WORK: work site - ValueSet: http://terminology.hl7.org/ValueSet/v3-SetOperator|2019-07-31 + references: 0, strongest binding: - #_ValueSetOperator: ValueSetOperator - #A: intersect - #E: exclude @@ -51223,10 +52431,12 @@ Value Sets: 1230 (unversioned) - #I: include - #P: periodic hull - ValueSet: http://terminology.hl7.org/ValueSet/v3-SeverityObservation|2014-03-26 + references: 0, strongest binding: - #H: High - #L: Low - #M: Moderate - ValueSet: http://terminology.hl7.org/ValueSet/v3-SpecimenType|2019-07-31 + references: 0, strongest binding: - #_SpecimenEntityType: SpecimenEntityType - #ABS: Abcess - #AMN: Amniotic fluid @@ -51352,6 +52562,7 @@ Value Sets: 1230 (unversioned) - #WNDD: Wound drainage - #WNDE: Wound exudate - ValueSet: http://terminology.hl7.org/ValueSet/v3-styleType|2019-07-31 + references: 0, strongest binding: - #_FontStyle: Font Style - #_ListStyle: List Style - #_OrderedListStyle: Ordered List Style @@ -51374,6 +52585,7 @@ Value Sets: 1230 (unversioned) - #Toprule: Top Rule - #underline: Underline Font - ValueSet: http://terminology.hl7.org/ValueSet/v3-substanceAdminSubstitution|2019-07-31 + references: 0, strongest binding: - #_ActSubstanceAdminSubstitutionCode: ActSubstanceAdminSubstitutionCode - #BC: brand composition - #E: equivalent @@ -51385,33 +52597,39 @@ Value Sets: 1230 (unversioned) - #TE: therapeutic alternative - #TG: therapeutic generic - ValueSet: http://terminology.hl7.org/ValueSet/v3-SubstanceAdminSubstitutionReason|2014-03-26 + references: 2, strongest binding: Example - #CT: continuing therapy - #FP: formulary policy - #OS: out of stock - #RR: regulatory requirement - ValueSet: http://terminology.hl7.org/ValueSet/v3-SubstitutionCondition|2019-07-31 + references: 0, strongest binding: - #_Conditional: Conditional - #CONFIRM: Confirm first - #NOSUB: No substitution - #NOTIFY: Notify first - #UNCOND: Unconditional - ValueSet: http://terminology.hl7.org/ValueSet/v3-TableCellHorizontalAlign|2019-07-31 + references: 0, strongest binding: - #center: center - #char: char - #justify: justify - #left: left - #right: right - ValueSet: http://terminology.hl7.org/ValueSet/v3-TableCellScope|2019-07-31 + references: 0, strongest binding: - #col: col - #colgroup: colgroup - #row: row - #rowgroup: rowgroup - ValueSet: http://terminology.hl7.org/ValueSet/v3-TableCellVerticalAlign|2019-07-31 + references: 0, strongest binding: - #baseline: baseline - #bottom: bottom - #middle: middle - #top: top - ValueSet: http://terminology.hl7.org/ValueSet/v3-TableFrame|2019-07-31 + references: 0, strongest binding: - #above: above - #below: below - #border: border @@ -51422,12 +52640,14 @@ Value Sets: 1230 (unversioned) - #void: void - #vsides: vsides - ValueSet: http://terminology.hl7.org/ValueSet/v3-TableRules|2019-07-31 + references: 0, strongest binding: - #all: all - #cols: cols - #groups: groups - #none: none - #rows: rows - ValueSet: http://terminology.hl7.org/ValueSet/v3-TargetAwareness|2019-07-31 + references: 0, strongest binding: - #D: denying - #F: full awareness - #I: incapable @@ -51435,12 +52655,14 @@ Value Sets: 1230 (unversioned) - #P: partial - #U: uninformed - ValueSet: http://terminology.hl7.org/ValueSet/v3-TelecommunicationCapabilities|2019-07-31 + references: 0, strongest binding: - #data: data - #fax: fax - #sms: sms - #tty: text - #voice: voice - ValueSet: http://terminology.hl7.org/ValueSet/v3-TimingEvent|2019-07-31 + references: 0, strongest binding: - #AC: AC - #ACD: ACD - #ACM: ACM @@ -51460,8 +52682,10 @@ Value Sets: 1230 (unversioned) - #PCV: PCV - #WAKE: WAKE - ValueSet: http://terminology.hl7.org/ValueSet/v3-TransmissionRelationshipTypeCode|2019-07-31 + references: 0, strongest binding: - #SEQL: sequence - ValueSet: http://terminology.hl7.org/ValueSet/v3-TribalEntityUS|2019-07-31 + references: 0, strongest binding: - #_NativeEntityAlaska: NativeEntityAlaska - #_NativeEntityContiguous: NativeEntityContiguous - #1: Absentee-Shawnee Tribe of Indians of Oklahoma @@ -52031,6 +53255,7 @@ Value Sets: 1230 (unversioned) - #98: Guidiville Rancheria of California - #99: Hannahville Indian Community of Wisconsin Potawato - ValueSet: http://terminology.hl7.org/ValueSet/v3-triggerEventID|2019-07-31 + references: 0, strongest binding: - #POLB_TE004000UV: Result Status - #POLB_TE004001UV: Result Confirm - #POLB_TE004002UV: Result Reject @@ -52043,6 +53268,7 @@ Value Sets: 1230 (unversioned) - #POLB_TE004301UV: Result Abort - #POLB_TE004500UV: Result Nullify - ValueSet: http://terminology.hl7.org/ValueSet/v3-VaccineManufacturer|2019-07-31 + references: 0, strongest binding: - #AB: Abbott Laboratories (includes Ross Products Division) - #AD: Adams Laboratories - #ALP: Alpha Therapeutic Corporation @@ -52084,12 +53310,14 @@ Value Sets: 1230 (unversioned) - #WA: Wyeth-Ayerst [Inactive - use WAL] - #WAL: Wyeth-Ayerst (includes Wyeth-Lederle Vaccines and Pediatrics, Wyeth Laboratories, Lederle Laboratories, and Praxis Biologics) - ValueSet: http://terminology.hl7.org/ValueSet/v3-VerificationMethod|2014-03-26 + references: 0, strongest binding: - #_VerificationMethod: VerificationMethod - #VDOC: document verification - #VREG: registry verification - #VTOKEN: electronic token verification - #VVOICE: voice-based verification - ValueSet: http://terminology.hl7.org/ValueSet/v3-WorkClassificationODH|2019-07-31 + references: 0, strongest binding: - #PWAF: Paid work, Armed Forces - #PWFG: Paid work, national government, not armed forces - #PWLG: Paid work, local government, not armed forces @@ -52100,6 +53328,7 @@ Value Sets: 1230 (unversioned) - #UWSE: Unpaid work, self-employed - #VW: Voluntary work - ValueSet: http://terminology.hl7.org/ValueSet/v3-WorkScheduleODH|2019-07-31 + references: 0, strongest binding: - #DS: daytime shift - #EMS: early morning shift - #ES: evening shift @@ -52110,6 +53339,7 @@ Value Sets: 1230 (unversioned) - #VLS: very long shift - #VS: variable shift - ValueSet: http://terminology.hl7.org/ValueSet/v3-xBasicConfidentialityKind|2014-03-26 + references: 0, strongest binding: - #N: normal - #R: restricted - #V: very restricted diff --git a/src/Microsoft.Health.Fhir.SpecManager/Language/Info.cs b/src/Microsoft.Health.Fhir.SpecManager/Language/Info.cs index cc644c851..33927dab1 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Language/Info.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Language/Info.cs @@ -160,6 +160,10 @@ private void WriteValueSets( _writer.IncreaseIndent(); + _writer.WriteLineIndented( + $" references: {vs.ReferencedByPaths.Count}," + + $" strongest binding: {vs.StrongestBinding}"); + foreach (FhirConcept value in vs.Concepts.OrderBy(c => c.Code)) { _writer.WriteLineIndented($"- #{value.Code}: {value.Display}"); @@ -175,7 +179,11 @@ private void WriteValueSets( private void WriteValueSet( FhirValueSet valueSet) { - _writer.WriteLineIndented($"- {valueSet.URL}|{valueSet.Version} ({valueSet.Name})"); + _writer.WriteLineIndented( + $"- {valueSet.URL}|{valueSet.Version}" + + $" ({valueSet.Name})" + + $" {valueSet.ReferencedByPaths.Count} references," + + $" strongest: {valueSet.StrongestBinding}"); _writer.IncreaseIndent(); diff --git a/src/Microsoft.Health.Fhir.SpecManager/Manager/FhirVersionInfo.cs b/src/Microsoft.Health.Fhir.SpecManager/Manager/FhirVersionInfo.cs index df14dc9f6..b64deaa25 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Manager/FhirVersionInfo.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Manager/FhirVersionInfo.cs @@ -8,6 +8,7 @@ using System; using System.Collections.Generic; using System.Linq; +using System.Net.Http.Headers; using System.Text; using Microsoft.Health.Fhir.SpecManager.Converters; using Microsoft.Health.Fhir.SpecManager.Language; @@ -882,7 +883,7 @@ internal FhirVersionInfo CopyForExport( } } - Dictionary> valueSetReferences = new Dictionary>(); + Dictionary valueSetReferences = new Dictionary(); // check if we are exporting primitives if (copyPrimitives) diff --git a/src/Microsoft.Health.Fhir.SpecManager/Models/FhirComplex.cs b/src/Microsoft.Health.Fhir.SpecManager/Models/FhirComplex.cs index ef60b0d92..d1abc0dc7 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Models/FhirComplex.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Models/FhirComplex.cs @@ -531,7 +531,7 @@ public FhirComplex DeepCopy( Dictionary primitiveTypeMap, bool copySlicing, bool canHideParentFields, - ref Dictionary> valueSetReferences, + ref Dictionary valueSetReferences, Dictionary supportedSearchParams = null, Dictionary serverSearchParams = null, Dictionary supportedOperations = null, diff --git a/src/Microsoft.Health.Fhir.SpecManager/Models/FhirElement.cs b/src/Microsoft.Health.Fhir.SpecManager/Models/FhirElement.cs index 07a183b9d..5e3d692a4 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Models/FhirElement.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Models/FhirElement.cs @@ -9,6 +9,7 @@ using System.Collections.Generic; using System.Linq; using System.Text; +using Microsoft.Health.Fhir.SpecManager.Extensions; namespace Microsoft.Health.Fhir.SpecManager.Models { @@ -136,6 +137,35 @@ public FhirElement( BindingStrength = bindingStrength; ValueSet = valueSet; + + if (string.IsNullOrEmpty(bindingStrength)) + { + ValueSetBindingStrength = null; + } + else + { + ValueSetBindingStrength = bindingStrength.ToFhirEnum(); + } + } + + ///

Values that represent element definition binding strengths. + public enum ElementDefinitionBindingStrength : int + { + /// To be conformant, the concept in this element SHALL be from the specified value set. + [FhirLiteral("required")] + Required = 1, + + /// To be conformant, the concept in this element SHALL be from the specified value set if any of the codes within the value set can apply to the concept being communicated. If the value set does not cover the concept (based on human review), alternate codings (or, data type allowing, text) may be included instead. + [FhirLiteral("extensible")] + Extensible, + + /// Instances are encouraged to draw from the specified codes for interoperability purposes but are not required to do so to be considered conformant. + [FhirLiteral("preferred")] + Preferred, + + /// Instances are not expected or even encouraged to draw from the specified value set. The value set merely provides examples of the types of concepts intended to be included. + [FhirLiteral("example")] + Example, } /// Gets the explicit name of this element, if one was specified. @@ -166,79 +196,64 @@ public string CardinalityMaxString } /// Gets the FHIR cardinality string: min..max. - /// The FHIR cardinality. public string FhirCardinality => $"{CardinalityMin}..{CardinalityMaxString}"; /// Gets a value indicating whether this object is inherited. - /// True if this object is inherited, false if not. public bool IsInherited { get; } /// Gets a value indicating whether the modifies parent. - /// True if modifies parent, false if not. public bool ModifiesParent { get; } /// Gets a value indicating whether this field hides a parent field. - /// True if it hides a parent field, false if not. public bool HidesParent { get; } /// Gets a value indicating whether this object is modifier. - /// True if this object is modifier, false if not. public bool IsModifier { get; } /// Gets a value indicating whether this object is summary. - /// True if this object is summary, false if not. public bool IsSummary { get; } /// Gets the field order. - /// The field order. public int FieldOrder { get; } /// Gets or sets Code Values allowed for this property. - /// The code values. public string CodesName { get; set; } /// Gets the codes. - /// The codes. public List Codes => _codes; /// Gets the value set this element is bound to. - /// The value set. public string ValueSet { get; } /// Gets the binding strength for a value set binding to this element. - /// The binding strength. public string BindingStrength { get; } + /// Gets the element binding strength. + public ElementDefinitionBindingStrength? ValueSetBindingStrength { get; } + /// Gets types and their associated profiles for this element. /// Types and their associated profiles for this element. public Dictionary ElementTypes { get => _elementTypes; } /// Gets the name of the default field. - /// The name of the default field. public string DefaultFieldName { get; } /// Gets the default field value. - /// The default field value. public object DefaultFieldValue { get; } /// Gets the slicing information. - /// The slicing. public Dictionary Slicing => _slicing; /// Gets the name of the fixed field. - /// The name of the fixed field. public string FixedFieldName { get; } /// Gets the fixed field value. - /// The fixed field value. public object FixedFieldValue { get; } /// Gets a value indicating whether this property is an array. - /// True if this object is array, false if not. public bool IsArray => (CardinalityMax == -1) || (CardinalityMax > 1); /// Gets a value indicating whether this object is optional. - /// True if this object is optional, false if not. public bool IsOptional => CardinalityMin == 0; /// Maximum cardinality. @@ -318,13 +333,14 @@ internal bool AddSlice(string url, string sliceName) /// The primitive type map. /// True to copy slicing. /// True if can hide parent fields, false if not. - /// [in,out] Value Set URLs and lists of FHIR paths that reference them. + /// [in,out] Value Set URLs and lists of FHIR paths that + /// reference them. /// A FhirElement. public FhirElement DeepCopy( Dictionary primitiveTypeMap, bool copySlicing, bool canHideParentFields, - ref Dictionary> valueSetReferences) + ref Dictionary valueSetReferences) { // copy the element types Dictionary elementTypes = null; @@ -412,10 +428,10 @@ public FhirElement DeepCopy( if (!valueSetReferences.ContainsKey(url)) { - valueSetReferences.Add(url, new List()); + valueSetReferences.Add(url, new ValueSetReferenceInfo()); } - valueSetReferences[url].Add(Path); + valueSetReferences[url].AddPath(Path, ValueSetBindingStrength); } return element; diff --git a/src/Microsoft.Health.Fhir.SpecManager/Models/FhirSlicing.cs b/src/Microsoft.Health.Fhir.SpecManager/Models/FhirSlicing.cs index 44d98bcb4..b844d3fe9 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Models/FhirSlicing.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Models/FhirSlicing.cs @@ -201,13 +201,14 @@ internal void AddSlice(string sliceName, FhirComplex slice) /// The primitive type map. /// True to copy slicing. /// True if can hide parent fields, false if not. - /// [in,out] Value Set URLs and lists of FHIR paths that reference them. + /// [in,out] Value Set URLs and lists of FHIR paths that + /// reference them. /// A FhirSlicing. public FhirSlicing DeepCopy( Dictionary primitiveTypeMap, bool copySlicing, bool canHideParentFields, - ref Dictionary> valueSetReferences) + ref Dictionary valueSetReferences) { Dictionary rules = new Dictionary(); diff --git a/src/Microsoft.Health.Fhir.SpecManager/Models/FhirValueSet.cs b/src/Microsoft.Health.Fhir.SpecManager/Models/FhirValueSet.cs index 272f291cc..77d394a1f 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Models/FhirValueSet.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Models/FhirValueSet.cs @@ -17,6 +17,7 @@ public class FhirValueSet : ICloneable private HashSet _codeSystems = new HashSet(); private List _referencedPaths = new List(); private List _referencedResources = new List(); + private FhirElement.ElementDefinitionBindingStrength? _strongestBinding; /// Initializes a new instance of the class. /// The name. @@ -51,6 +52,7 @@ public FhirValueSet( ComposeIncludes = composeIncludes; ComposeExcludes = composeExcludes; Expansion = expansion; + _strongestBinding = null; } /// Initializes a new instance of the class. @@ -78,7 +80,8 @@ private FhirValueSet( List composeExcludes, FhirValueSetExpansion expansion, List concepts, - HashSet referencedCodeSystems) + HashSet referencedCodeSystems, + FhirElement.ElementDefinitionBindingStrength? strongestBinding) : this( name, id, @@ -93,6 +96,7 @@ private FhirValueSet( { _valueList = concepts; _codeSystems = referencedCodeSystems; + _strongestBinding = strongestBinding; } /// Gets the name. @@ -153,11 +157,14 @@ private FhirValueSet( /// Gets the list of resources or complex types that reference this value set. public List ReferencedByComplexes => _referencedResources; + /// Gets the strongest binding this value set is referenced as (null for unreferenced). + public FhirElement.ElementDefinitionBindingStrength? StrongestBinding => _strongestBinding; + /// Sets the references. - /// The list of elements (by Path) that reference this value set. - public void SetReferences(List referencedByPaths) + /// Reference information for this value set. + public void SetReferences(ValueSetReferenceInfo referenceInfo) { - if (referencedByPaths == null) + if (referenceInfo == null) { return; } @@ -165,7 +172,7 @@ public void SetReferences(List referencedByPaths) HashSet resources = new HashSet(); HashSet paths = new HashSet(); - foreach (string path in referencedByPaths) + foreach (string path in referenceInfo.Paths) { if (paths.Contains(path)) { @@ -182,6 +189,8 @@ public void SetReferences(List referencedByPaths) _referencedPaths.Add((string)path.Clone()); paths.Add(path); } + + _strongestBinding = referenceInfo.StrongestBinding; } /// Gets a list of FhirTriplets to cover all values in the value set. @@ -802,7 +811,8 @@ public object Clone() excludes, expansion, concepts, - codeSystems); + codeSystems, + _strongestBinding); } } } diff --git a/src/Microsoft.Health.Fhir.SpecManager/Models/ValueSetReferenceInfo.cs b/src/Microsoft.Health.Fhir.SpecManager/Models/ValueSetReferenceInfo.cs new file mode 100644 index 000000000..cbbd5f7ae --- /dev/null +++ b/src/Microsoft.Health.Fhir.SpecManager/Models/ValueSetReferenceInfo.cs @@ -0,0 +1,52 @@ +// +// Copyright (c) Microsoft Corporation. All rights reserved. +// Licensed under the MIT License (MIT). See LICENSE in the repo root for license information. +// +using System; +using System.Collections.Generic; +using System.Text; + +namespace Microsoft.Health.Fhir.SpecManager.Models +{ + /// Information about the value set reference. + public class ValueSetReferenceInfo + { + private List _paths; + private FhirElement.ElementDefinitionBindingStrength _strongestBinding; + + /// + /// Initializes a new instance of the class. + /// + public ValueSetReferenceInfo() + { + _paths = new List(); + _strongestBinding = FhirElement.ElementDefinitionBindingStrength.Example; + } + + /// Gets the paths. + public List Paths => _paths; + + /// Gets the strongest binding. + public FhirElement.ElementDefinitionBindingStrength StrongestBinding => _strongestBinding; + + /// Adds a path and checks for changes to strongest binding level. + /// Full pathname of the file. + /// The strength of the value set binding to the given element. + public void AddPath( + string elementPath, + FhirElement.ElementDefinitionBindingStrength? strength) + { + _paths.Add(elementPath); + + if (strength == null) + { + return; + } + + if (strength < _strongestBinding) + { + _strongestBinding = (FhirElement.ElementDefinitionBindingStrength)strength; + } + } + } +} From 5ee2c4697913eecbc0b8ada2491733bc798d10c9 Mon Sep 17 00:00:00 2001 From: Gino Canessa Date: Mon, 27 Jul 2020 15:57:30 -0500 Subject: [PATCH 12/13] Open API updates. --- .../Language/LangOpenApi.cs | 304 +++++++++++++----- 1 file changed, 220 insertions(+), 84 deletions(-) diff --git a/src/Microsoft.Health.Fhir.SpecManager/Language/LangOpenApi.cs b/src/Microsoft.Health.Fhir.SpecManager/Language/LangOpenApi.cs index 4b04c2dec..a0d765c6f 100644 --- a/src/Microsoft.Health.Fhir.SpecManager/Language/LangOpenApi.cs +++ b/src/Microsoft.Health.Fhir.SpecManager/Language/LangOpenApi.cs @@ -4,11 +4,13 @@ // using System; using System.Collections.Generic; +using System.ComponentModel; using System.IO; using System.Linq; using System.Security.Cryptography; using System.Text; using System.Threading.Tasks; +using Microsoft.Health.Fhir.SpecManager.fhir.r5; using Microsoft.Health.Fhir.SpecManager.Manager; using Microsoft.Health.Fhir.SpecManager.Models; using Microsoft.OpenApi; @@ -27,9 +29,6 @@ public sealed class LangOpenApi : ILanguage /// Options for controlling the export. private ExporterOptions _options; - /// True to export enums. - private bool _exportEnums; - /// List of types of the exported resource names and types. private Dictionary _exportedResourceNamesAndTypes = new Dictionary(); @@ -60,12 +59,21 @@ public sealed class LangOpenApi : ILanguage /// True to include, false to exclude the schemas. private bool _includeSchemas = true; + /// True to include, false to exclude the schema descriptions. + private bool _includeSchemaDescriptions = true; + + /// True to expand references based on allowed profiles. + private bool _expandProfiles = true; + + /// True to generate read only. + private bool _generateReadOnly = false; + /// Dictionary mapping FHIR primitive types to language equivalents. private static readonly Dictionary _primitiveTypeMap = new Dictionary() { // { "base", "Object" }, { "base64Binary", "string:byte" }, - // { "boolean", "boolean" }, + { "boolean", "boolean" }, // note, this is here to simplify primitive mapping { "canonical", "string" }, { "code", "string" }, { "date", "string" }, @@ -78,7 +86,7 @@ public sealed class LangOpenApi : ILanguage { "markdown", "string" }, { "oid", "string" }, { "positiveInt", "integer:int32" }, - { "string", "string" }, + { "string", "string" }, // note, this is here to simplify primitive mapping { "time", "string" }, { "unsignedInt", "integer:int32" }, { "uri", "string" }, @@ -137,6 +145,9 @@ public sealed class LangOpenApi : ILanguage { "Responses", "Response inclusion style (single|multiple)." }, { "Summaries", "If responses should include summaries (true|false)." }, { "Schemas", "If schemas should be included (true|false)" }, + { "SchemaDescriptions", "If schemas should include descriptions (true|false)" }, + { "ExpandProfiles", "If types should expand based on allowed profiles (true|false)" }, + { "ReadOnly", "If the output should only contain GET operations (false|true)" }, }; /// Export the passed FHIR version into the specified directory. @@ -153,15 +164,6 @@ void ILanguage.Export( _info = info; _options = options; - if (options.OptionalClassTypesToExport.Contains(ExporterOptions.FhirExportClassType.Enum)) - { - _exportEnums = true; - } - else - { - _exportEnums = false; - } - if (_options.LanguageOptions != null) { foreach (KeyValuePair kvp in _options.LanguageOptions) @@ -219,6 +221,27 @@ void ILanguage.Export( _includeSchemas = false; } + if (_parameters.ContainsKey("SCHEMADESCRIPTIONS") && + (!string.IsNullOrEmpty(_parameters["SCHEMADESCRIPTIONS"])) && + _parameters["SCHEMADESCRIPTIONS"].StartsWith("F", StringComparison.OrdinalIgnoreCase)) + { + _includeSchemaDescriptions = false; + } + + if (_parameters.ContainsKey("EXPANDPROFILES") && + (!string.IsNullOrEmpty(_parameters["EXPANDPROFILES"])) && + _parameters["EXPANDPROFILES"].StartsWith("F", StringComparison.OrdinalIgnoreCase)) + { + _expandProfiles = false; + } + + if (_parameters.ContainsKey("READONLY") && + (!string.IsNullOrEmpty(_parameters["READONLY"])) && + _parameters["READONLY"].StartsWith("T", StringComparison.OrdinalIgnoreCase)) + { + _generateReadOnly = true; + } + OpenApiDocument document = new OpenApiDocument(); document.Info = BuildInfo(); @@ -293,6 +316,11 @@ private OpenApiSchema BuildSchema( Properties = new Dictionary(), }; + if (_includeSchemaDescriptions) + { + schema.Description = complex.ShortDescription; + } + if (root == null) { root = complex; @@ -310,9 +338,7 @@ private OpenApiSchema BuildSchema( } else { - schema.Properties.Add( - GetElementName(element), - BuildElementSchema(element)); + BuildElementSchema(ref schema, element); } } } @@ -321,13 +347,44 @@ private OpenApiSchema BuildSchema( } /// Builds element schema. - /// The element. - /// An OpenApiSchema. - private OpenApiSchema BuildElementSchema( + /// [in,out] The parent schema. + /// The element. + private void BuildElementSchema( + ref OpenApiSchema parentSchema, FhirElement element) { + string name = GetElementName(element); OpenApiSchema schema = new OpenApiSchema(); + if (_includeSchemaDescriptions) + { + schema.Description = element.ShortDescription; + } + + if ((element.ElementTypes != null) && + (element.ElementTypes.Count > 1)) + { + foreach (FhirElementType elementType in element.ElementTypes.Values) + { + string pascal = FhirUtils.SanitizedToConvention(elementType.Name, FhirTypeBase.NamingConvention.PascalCase); + + OpenApiSchema subSchema = new OpenApiSchema(); + + if (_includeSchemaDescriptions) + { + subSchema.Description = element.ShortDescription; + } + + SetSchemaType(elementType.Name, ref subSchema); + + parentSchema.Properties.Add( + $"{name}{pascal}", + subSchema); + } + + return; + } + string type; if (!string.IsNullOrEmpty(element.BaseTypeName)) @@ -336,27 +393,63 @@ private OpenApiSchema BuildElementSchema( } else if (element.ElementTypes.Count == 1) { - type = element.ElementTypes.First().Value.Name; + FhirElementType elementType = element.ElementTypes.First().Value; + + type = elementType.Name; + + if (_expandProfiles && (type == "Resource")) + { + schema.OneOf = new List(); + + if ((elementType.Profiles == null) || + (elementType.Profiles.Count == 0)) + { + foreach (FhirComplex resource in _info.Resources.Values) + { + OpenApiSchema subSchema = new OpenApiSchema(); + SetSchemaType(resource.Name, ref subSchema); + schema.OneOf.Add(subSchema); + } + } + else + { + foreach (FhirElementProfile profile in elementType.Profiles.Values) + { + OpenApiSchema subSchema = new OpenApiSchema(); + SetSchemaType(profile.Name, ref subSchema); + schema.OneOf.Add(subSchema); + } + } + + parentSchema.Properties.Add( + GetElementName(element), + schema); + + return; + } } else { type = "Element"; } - if (type.Contains('.')) - { - schema.Reference = new OpenApiReference() - { - Id = BuildTypeFromPath(type), - Type = ReferenceType.Schema, - }; + SetSchemaType(type, ref schema); - return schema; - } + parentSchema.Properties.Add( + GetElementName(element), + schema); + } - if (_primitiveTypeMap.ContainsKey(type)) + /// Sets a type. + /// Type of the base. + /// [in,out] The schema. + private static void SetSchemaType( + string baseType, + ref OpenApiSchema schema) + { + if (_primitiveTypeMap.ContainsKey(baseType)) { - type = _primitiveTypeMap[type]; + string type = _primitiveTypeMap[baseType]; if (type.Contains(':')) { @@ -370,10 +463,14 @@ private OpenApiSchema BuildElementSchema( schema.Type = type; } - return schema; + return; } - return schema; + schema.Reference = new OpenApiReference() + { + Id = BuildTypeFromPath(baseType), + Type = ReferenceType.Schema, + }; } /// Builds type from path. @@ -392,12 +489,8 @@ private static string BuildTypeFromPath(string path) sb.Append(components[i]); break; - case 1: - sb.Append("/properties"); - sb.Append(components[i]); - break; - default: + sb.Append("/properties/"); sb.Append(components[i]); break; } @@ -498,6 +591,11 @@ private OpenApiPaths BuildPathsForServer() case FhirServerResourceInfo.FhirInteraction.Patch: case FhirServerResourceInfo.FhirInteraction.Update: + if (_generateReadOnly) + { + continue; + } + if (!instancePath.Operations.ContainsKey(OperationType.Put)) { instancePath.Operations.Add( @@ -509,6 +607,11 @@ private OpenApiPaths BuildPathsForServer() case FhirServerResourceInfo.FhirInteraction.Create: + if (_generateReadOnly) + { + continue; + } + if (!typePath.Operations.ContainsKey(OperationType.Put)) { typePath.Operations.Add( @@ -520,6 +623,11 @@ private OpenApiPaths BuildPathsForServer() case FhirServerResourceInfo.FhirInteraction.Delete: + if (_generateReadOnly) + { + continue; + } + if (!instancePath.Operations.ContainsKey(OperationType.Delete)) { instancePath.Operations.Add( @@ -589,24 +697,58 @@ private static OpenApiParameter BuildPathIdParameter() }; } - /// Builds response content. + /// Builds a content map. + /// Name of the resource. /// A Dictionary of MIME Types and matching ApiOpenMeidaTypes. - private Dictionary BuildResponseContent() + private Dictionary BuildContentMap( + string resourceName) { Dictionary mediaTypes = new Dictionary(); if (_explicitFhirJson) { - mediaTypes.Add( - "application/fhir+json", - new OpenApiMediaType()); + if (string.IsNullOrEmpty(resourceName)) + { + mediaTypes.Add( + "application/fhir+json", + new OpenApiMediaType()); + } + else + { + OpenApiSchema schema = new OpenApiSchema(); + + SetSchemaType(resourceName, ref schema); + + mediaTypes.Add( + "application/fhir+json", + new OpenApiMediaType() + { + Schema = schema, + }); + } } if (_explicitFhirXml) { - mediaTypes.Add( - "application/fhir+xml", - new OpenApiMediaType()); + if (string.IsNullOrEmpty(resourceName)) + { + mediaTypes.Add( + "application/fhir+xml", + new OpenApiMediaType()); + } + else + { + OpenApiSchema schema = new OpenApiSchema(); + + SetSchemaType(resourceName, ref schema); + + mediaTypes.Add( + "application/fhir+xml", + new OpenApiMediaType() + { + Schema = schema, + }); + } } return mediaTypes; @@ -622,6 +764,8 @@ private OpenApiOperation BuildPathOperation( { OpenApiOperation operation = new OpenApiOperation(); + string contentResourceName; + if (isInstanceLevel) { operation.OperationId = $"{pathOpType}{resourceName}I"; @@ -649,10 +793,12 @@ private OpenApiOperation BuildPathOperation( if (isInstanceLevel) { operation.OperationId = $"get{resourceName}"; + contentResourceName = resourceName; } else { operation.OperationId = $"list{resourceName}s"; + contentResourceName = "Bundle"; } if (_singleResponseCode) @@ -662,7 +808,7 @@ private OpenApiOperation BuildPathOperation( ["200"] = new OpenApiResponse() { Description = "OK", - Content = BuildResponseContent(), + Content = BuildContentMap(contentResourceName), }, }; } @@ -673,7 +819,7 @@ private OpenApiOperation BuildPathOperation( ["200"] = new OpenApiResponse() { Description = "OK", - Content = BuildResponseContent(), + Content = BuildContentMap(contentResourceName), }, ["410"] = new OpenApiResponse() { @@ -693,20 +839,27 @@ private OpenApiOperation BuildPathOperation( if (isInstanceLevel) { operation.OperationId = $"replace{resourceName}"; + contentResourceName = resourceName; } else { operation.OperationId = $"replace{resourceName}s"; + contentResourceName = resourceName; } if (_singleResponseCode) { + operation.RequestBody = new OpenApiRequestBody() + { + Content = BuildContentMap(contentResourceName), + }; + operation.Responses = new OpenApiResponses() { ["200"] = new OpenApiResponse() { Description = "OK", - Content = BuildResponseContent(), + Content = BuildContentMap(resourceName), }, }; } @@ -717,12 +870,12 @@ private OpenApiOperation BuildPathOperation( ["200"] = new OpenApiResponse() { Description = "OK", - Content = BuildResponseContent(), + Content = BuildContentMap(contentResourceName), }, ["201"] = new OpenApiResponse() { Description = "CREATED", - Content = BuildResponseContent(), + Content = BuildContentMap(contentResourceName), }, ["400"] = new OpenApiResponse() { @@ -761,20 +914,27 @@ private OpenApiOperation BuildPathOperation( if (isInstanceLevel) { operation.OperationId = $"create{resourceName}"; + contentResourceName = resourceName; } else { operation.OperationId = $"create{resourceName}s"; + contentResourceName = resourceName; } if (_singleResponseCode) { + operation.RequestBody = new OpenApiRequestBody() + { + Content = BuildContentMap(contentResourceName), + }; + operation.Responses = new OpenApiResponses() { ["200"] = new OpenApiResponse() { Description = "OK", - Content = BuildResponseContent(), + Content = BuildContentMap(contentResourceName), }, }; } @@ -785,12 +945,12 @@ private OpenApiOperation BuildPathOperation( ["200"] = new OpenApiResponse() { Description = "OK", - Content = BuildResponseContent(), + Content = BuildContentMap(contentResourceName), }, ["201"] = new OpenApiResponse() { Description = "CREATED", - Content = BuildResponseContent(), + Content = BuildContentMap(contentResourceName), }, ["400"] = new OpenApiResponse() { @@ -827,37 +987,13 @@ private OpenApiOperation BuildPathOperation( operation.OperationId = $"delete{resourceName}s"; } - if (_singleResponseCode) - { - operation.Responses = new OpenApiResponses() - { - ["200"] = new OpenApiResponse() - { - Description = "OK", - Content = BuildResponseContent(), - }, - }; - } - else + operation.Responses = new OpenApiResponses() { - operation.Responses = new OpenApiResponses() + ["204"] = new OpenApiResponse() { - ["200"] = new OpenApiResponse() - { - Description = "OK", - Content = BuildResponseContent(), - }, - ["202"] = new OpenApiResponse() - { - Description = "ACCEPTED", - Content = BuildResponseContent(), - }, - ["204"] = new OpenApiResponse() - { - Description = "NO CONTENT", - }, - }; - } + Description = "NO CONTENT", + }, + }; break; From 7e60df84ab2d5ee74f13781b68da286966971319 Mon Sep 17 00:00:00 2001 From: Gino Canessa Date: Mon, 27 Jul 2020 16:36:07 -0500 Subject: [PATCH 13/13] Updating readme --- README.md | 36 ++++++++++++++++++++++++------------ docfx/api/index.md | 8 ++++++-- docfx/articles/cli.md | 39 ++++++++++++++++++++++++++------------- 3 files changed, 56 insertions(+), 27 deletions(-) diff --git a/README.md b/README.md index 9a46650b4..ec0e7715e 100644 --- a/README.md +++ b/README.md @@ -10,28 +10,37 @@ Usage: Options: --fhir-spec-directory The full path to the directory where FHIR - specifications are downloaded and cached. + specifications are downloaded and cached. --output-path File or directory to write output. --verbose Show verbose output. - --offline-mode Offline mode. - (will not download missing specs). + --offline-mode Offline mode . + (will not download missing specs) --language Name of the language to export. - (default: Info|TypeScript|CSharpBasic). + (default: Info|TypeScript|CSharpBasic) --export-keys '|' separated list of items to export. - (not present to export everything) + (not present to export everything) --load-r2 If FHIR R2 should be loaded, which version. - (e.g., 1.0.2 or latest) + (e.g., 1.0.2 or latest) --load-r3 If FHIR R3 should be loaded, which version. - (e.g., 3.0.2 or latest) + (e.g., 3.0.2 or latest) --load-r4 If FHIR R4 should be loaded, which version. - (e.g., 4.0.1 or latest) + (e.g., 4.0.1 or latest). --load-r5 If FHIR R5 should be loaded, which version. - (e.g., 4.4.0 or latest) + (e.g., 4.4.0 or latest) --language-options Language specific options, see documentation for more details. (e.g., CSharpBasic|namespace=myorg.fhir) - --version Show version information. - -?, -h, --help Show help and usage information. + --official-expansions-only True to restrict value-sets exported to only + official expansions. + (default: false) + --fhir-server-url FHIR Server URL to pull a CapabilityStatement + (or Conformance) from. Only supports + application/fhir+json. + --include-experimental If the output should include structures + marked experimental. + (default: false) + --version Show version information + -?, -h, --help Show help and usage information ``` ## Examples @@ -62,10 +71,13 @@ Options: Basic TypeScript bindings, useful for prototyping and small projects. Exported classes are able to serialize to and parse from FHIR JSON. - * CSharpFirely **EXPERIMENTAL** + * CSharpFirely Export base C# classes needed for the Firely-maintained C# API ([FHIR-Net-API](https://github.com/FirelyTeam/fhir-net-api/)). + * OpenAPI **EXPERIMENTAL** + + Export an OpenAPI 2 or 3 JSON version of the standard. # Testing diff --git a/docfx/api/index.md b/docfx/api/index.md index 773147580..3de6b6f19 100644 --- a/docfx/api/index.md +++ b/docfx/api/index.md @@ -69,13 +69,17 @@ Classes used to export different languages from a loaded version of FHIR. Basic TypeScript bindings, useful for prototyping and small projects. Exported classes are able to serialize to and parse from FHIR JSON. - * [CSharpFirely](Microsoft.Health.Fhir.SpecManager.Language.CSharpFirely.html) **EXPERIMENTAL** + * [CSharpFirely](Microsoft.Health.Fhir.SpecManager.Language.CSharpFirely.html) Export base C# classes needed for the Firely-maintained C# API ([FHIR-Net-API](https://github.com/FirelyTeam/fhir-net-api/)). + * [OpenAPI](Microsoft.Health.Fhir.SpecManager.Language.LangOpenApi.html) **EXPERIMENTAL** + + Export an OpenAPI version 2 or 3 JSON document for the selected options. + ## Library Namespace: [Microsoft.Health.Fhir.SpecManager.Manager](Microsoft.Health.Fhir.SpecManager.Manager.html) -Classes used to manage FHIR versions. +Classes used to load and manage FHIR versions. Includes functionality to connect to a FHIR server and pull metadata. ## Library Namespace: [Microsoft.Health.Fhir.SpecManager.Models](Microsoft.Health.Fhir.SpecManager.Models.html) diff --git a/docfx/articles/cli.md b/docfx/articles/cli.md index da0bd42a1..c8dc96321 100644 --- a/docfx/articles/cli.md +++ b/docfx/articles/cli.md @@ -6,29 +6,38 @@ Usage: Options: --fhir-spec-directory The full path to the directory where FHIR - specifications are downloaded and cached. + specifications are downloaded and cached. --output-path File or directory to write output. --verbose Show verbose output. - --offline-mode Offline mode. - (will not download missing specs). + --offline-mode Offline mode . + (will not download missing specs) --language Name of the language to export. - (default: Info|TypeScript|CSharpBasic). + (default: Info|TypeScript|CSharpBasic) --export-keys '|' separated list of items to export. - (not present to export everything) + (not present to export everything) --load-r2 If FHIR R2 should be loaded, which version. - (e.g., 1.0.2 or latest) + (e.g., 1.0.2 or latest) --load-r3 If FHIR R3 should be loaded, which version. - (e.g., 3.0.2 or latest) + (e.g., 3.0.2 or latest) --load-r4 If FHIR R4 should be loaded, which version. - (e.g., 4.0.1 or latest) + (e.g., 4.0.1 or latest). --load-r5 If FHIR R5 should be loaded, which version. - (e.g., 4.4.0 or latest) + (e.g., 4.4.0 or latest) --language-options Language specific options, see documentation for more details. (e.g., CSharpBasic|namespace=myorg.fhir) - --version Show version information. - -?, -h, --help Show help and usage information. -``` + --official-expansions-only True to restrict value-sets exported to only + official expansions. + (default: false) + --fhir-server-url FHIR Server URL to pull a CapabilityStatement + (or Conformance) from. Only supports + application/fhir+json. + --include-experimental If the output should include structures + marked experimental. + (default: false) + --version Show version information + -?, -h, --help Show help and usage information + ``` ## Language Information @@ -44,10 +53,14 @@ Options: Basic TypeScript bindings, useful for prototyping and small projects. Exported classes are able to serialize to and parse from FHIR JSON. - * CSharpFirely **EXPERIMENTAL** + * CSharpFirely Export base C# classes needed for the Firely-maintained C# API ([FHIR-Net-API](https://github.com/FirelyTeam/fhir-net-api/)). + * OpenAPI **EXPERIMENTAL** + + Export an OpenAPI 2 or 3 JSON version of the standard. + ## CLI Examples