diff --git a/hed/schema/hed_schema.py b/hed/schema/hed_schema.py index bbb16fa3..1a2ea941 100644 --- a/hed/schema/hed_schema.py +++ b/hed/schema/hed_schema.py @@ -266,9 +266,8 @@ def get_as_xml_string(self, save_merged=True): def get_as_dataframes(self, save_merged=False): """ Get a dict of dataframes representing this file - save_merged: bool - If True, this will save the schema as a merged schema if it is a "withStandard" schema. - If it is not a "withStandard" schema, this setting has no effect. + Parameters: + save_merged (bool): If True, returns DFs as if merged with standard. Returns: dataframes(dict): a dict of dataframes you can load as a schema diff --git a/hed/schema/hed_schema_df_constants.py b/hed/schema/hed_schema_df_constants.py index cdee9429..4c26f220 100644 --- a/hed/schema/hed_schema_df_constants.py +++ b/hed/schema/hed_schema_df_constants.py @@ -1,8 +1,9 @@ from hed.schema.hed_schema_constants import HedSectionKey from hed.schema import hed_schema_constants -# Known tsv format suffixes +KEY_COLUMN_NAME = 'rdfs.label' +# Known tsv format suffixes STRUCT_KEY = "Structure" TAG_KEY = "Tag" UNIT_KEY = "Unit" diff --git a/hed/schema/schema_io/df_util.py b/hed/schema/schema_io/df_util.py index 0f4927a6..1cb45e9f 100644 --- a/hed/schema/schema_io/df_util.py +++ b/hed/schema/schema_io/df_util.py @@ -12,6 +12,47 @@ UNKNOWN_LIBRARY_VALUE = 0 +def merge_dataframe_dicts(df_dict1, df_dict2, key_column=constants.KEY_COLUMN_NAME): + """ Create a new dictionary of DataFrames where dict2 is merged into dict1. + + Does not validate contents or suffixes. + + Parameters: + df_dict1(dict of str: df.DataFrame): dataframes to use as destination merge. + df_dict2(dict of str: df.DataFrame): dataframes to use as a merge element. + key_column(str): name of the column that is treated as the key when dataframes are merged + """ + + result_dict = {} + all_keys = set(df_dict1.keys()).union(set(df_dict2.keys())) + + for key in all_keys: + if key in df_dict1 and key in df_dict2: + result_dict[key] = _merge_dataframes(df_dict1[key], df_dict2[key], key_column) + elif key in df_dict1: + result_dict[key] = df_dict1[key] + else: + result_dict[key] = df_dict2[key] + + return result_dict + + +def _merge_dataframes(df1, df2, key_column): + # Add columns from df2 that are not in df1, only for rows that are in df1 + + if df1.empty or df2.empty or key_column not in df1.columns or key_column not in df2.columns: + raise HedFileError(HedExceptions.BAD_COLUMN_NAMES, + f"Both dataframes to be merged must be non-empty had nave a '{key_column}' column", "") + df1 = df1.copy() + for col in df2.columns: + if col not in df1.columns and col != key_column: + df1 = df1.merge(df2[[key_column, col]], on=key_column, how='left') + + # Fill missing values with '' + df1.fillna('', inplace=True) + + return df1 + def save_dataframes(base_filename, dataframe_dict): """ Writes out the dataframes using the provided suffixes. diff --git a/hed/schema/schema_io/schema2base.py b/hed/schema/schema_io/schema2base.py index fba2adbf..8ddc9d4b 100644 --- a/hed/schema/schema_io/schema2base.py +++ b/hed/schema/schema_io/schema2base.py @@ -1,208 +1,202 @@ -"""Baseclass for mediawiki/xml writers""" -from hed.schema.hed_schema_constants import HedSectionKey, HedKey -from hed.errors.exceptions import HedFileError, HedExceptions - - -class Schema2Base: - def __init__(self): - # Placeholder output variable - self.output = None - self._save_lib = False - self._save_base = False - self._save_merged = False - self._strip_out_in_library = False - self._schema = None - - def process_schema(self, hed_schema, save_merged=False): - """ - Takes a HedSchema object and returns it in the inherited form(mediawiki, xml, etc) - - Parameters - ---------- - hed_schema : HedSchema - save_merged: bool - If True, this will save the schema as a merged schema if it is a "withStandard" schema. - If it is not a "withStandard" schema, this setting has no effect. - - Returns - ------- - converted_output: Any - Varies based on inherited class - - """ - if not hed_schema.can_save(): - raise HedFileError(HedExceptions.SCHEMA_LIBRARY_INVALID, - "Cannot save a schema merged from multiple library schemas", - hed_schema.filename) - - self._initialize_output() - self._save_lib = False - self._save_base = False - self._strip_out_in_library = True - self._schema = hed_schema # This is needed to save attributes in dataframes for now - if hed_schema.with_standard: - self._save_lib = True - if save_merged: - self._save_base = True - self._strip_out_in_library = False - else: - # Saving a standard schema or a library schema without a standard schema - save_merged = True - self._save_lib = True - self._save_base = True - - self._save_merged = save_merged - - self._output_header(hed_schema.get_save_header_attributes(self._save_merged), hed_schema.prologue) - self._output_tags(hed_schema.tags) - self._output_units(hed_schema.unit_classes) - self._output_section(hed_schema, HedSectionKey.UnitModifiers) - self._output_section(hed_schema, HedSectionKey.ValueClasses) - self._output_section(hed_schema, HedSectionKey.Attributes) - self._output_section(hed_schema, HedSectionKey.Properties) - self._output_footer(hed_schema.epilogue) - - return self.output - - def _initialize_output(self): - raise NotImplementedError("This needs to be defined in the subclass") - - def _output_header(self, attributes, prologue): - raise NotImplementedError("This needs to be defined in the subclass") - - def _output_footer(self, epilogue): - raise NotImplementedError("This needs to be defined in the subclass") - - def _start_section(self, key_class): - raise NotImplementedError("This needs to be defined in the subclass") - - def _end_tag_section(self): - raise NotImplementedError("This needs to be defined in the subclass") - - def _write_tag_entry(self, tag_entry, parent=None, level=0): - raise NotImplementedError("This needs to be defined in the subclass") - - def _write_entry(self, entry, parent_node, include_props=True): - raise NotImplementedError("This needs to be defined in the subclass") - - def _output_tags(self, tags): - schema_node = self._start_section(HedSectionKey.Tags) - - # This assumes .all_entries is sorted in a reasonable way for output. - level_adj = 0 - all_nodes = {} # List of all nodes we've written out. - for tag_entry in tags.all_entries: - if self._should_skip(tag_entry): - continue - tag = tag_entry.name - level = tag.count("/") - - # Don't adjust if we're a top level tag(if this is a rooted tag, it will be re-adjusted below) - if not tag_entry.parent_name: - level_adj = 0 - if level == 0: - root_tag = self._write_tag_entry(tag_entry, schema_node, level) - all_nodes[tag_entry.name] = root_tag - else: - # Only output the rooted parent nodes if they have a parent(for duplicates that don't) - if tag_entry.has_attribute(HedKey.InLibrary) and tag_entry.parent and \ - not tag_entry.parent.has_attribute(HedKey.InLibrary) and not self._save_merged: - if tag_entry.parent.name not in all_nodes: - level_adj = level - - parent_node = all_nodes.get(tag_entry.parent_name, schema_node) - child_node = self._write_tag_entry(tag_entry, parent_node, level - level_adj) - all_nodes[tag_entry.name] = child_node - - self._end_tag_section() - - def _output_units(self, unit_classes): - section_node = self._start_section(HedSectionKey.UnitClasses) - - for unit_class_entry in unit_classes.values(): - has_lib_unit = False - if self._should_skip(unit_class_entry): - has_lib_unit = any(unit.attributes.get(HedKey.InLibrary) for unit in unit_class_entry.units.values()) - if not self._save_lib or not has_lib_unit: - continue - - unit_class_node = self._write_entry(unit_class_entry, section_node, not has_lib_unit) - - unit_types = unit_class_entry.units - for unit_entry in unit_types.values(): - if self._should_skip(unit_entry): - continue - - self._write_entry(unit_entry, unit_class_node) - - def _output_section(self, hed_schema, key_class): - parent_node = self._start_section(key_class) - for entry in hed_schema[key_class].values(): - if self._should_skip(entry): - continue - self._write_entry(entry, parent_node) - - def _should_skip(self, entry): - has_lib_attr = entry.has_attribute(HedKey.InLibrary) - if not self._save_base and not has_lib_attr: - return True - if not self._save_lib and has_lib_attr: - return True - return False - - def _attribute_disallowed(self, attribute): - return self._strip_out_in_library and attribute == HedKey.InLibrary - - def _format_tag_attributes(self, attributes): - """ - Takes a dictionary of tag attributes and returns a string with the .mediawiki representation - - Parameters - ---------- - attributes : {str:str} - {attribute_name : attribute_value} - Returns - ------- - str: - The formatted string that should be output to the file. - """ - prop_string = "" - final_props = [] - for prop, value in attributes.items(): - # Never save InLibrary if saving merged. - if self._attribute_disallowed(prop): - continue - if value is True: - final_props.append(prop) - else: - if "," in value: - split_values = value.split(",") - for split_value in split_values: - final_props.append(f"{prop}={split_value}") - else: - final_props.append(f"{prop}={value}") - - if final_props: - interior = ", ".join(final_props) - prop_string = f"{interior}" - - return prop_string - - @staticmethod - def _get_attribs_string_from_schema(header_attributes, sep=" "): - """ - Gets the schema attributes and converts it to a string. - - Parameters - ---------- - header_attributes : dict - Attributes to format attributes from - - Returns - ------- - str: - A string of the attributes that can be written to a .mediawiki formatted file - """ - attrib_values = [f"{attr}=\"{value}\"" for attr, value in header_attributes.items()] - final_attrib_string = sep.join(attrib_values) - return final_attrib_string +"""Baseclass for mediawiki/xml writers""" +from hed.schema.hed_schema_constants import HedSectionKey, HedKey +from hed.errors.exceptions import HedFileError, HedExceptions + + +class Schema2Base: + def __init__(self): + # Placeholder output variable + self.output = None + self._save_lib = False + self._save_base = False + self._save_merged = False + self._strip_out_in_library = False + self._schema = None + + def process_schema(self, hed_schema, save_merged=False): + """ Takes a HedSchema object and returns it in the inherited form(mediawiki, xml, etc) + + Parameters: + hed_schema (HedSchema): The schema to be processed. + save_merged (bool): If True, save as merged schema if has "withStandard". + + Returns: + Any: Varies based on inherited class + + """ + if not hed_schema.can_save(): + raise HedFileError(HedExceptions.SCHEMA_LIBRARY_INVALID, + "Cannot save a schema merged from multiple library schemas", + hed_schema.filename) + + self._initialize_output() + self._save_lib = False + self._save_base = False + self._strip_out_in_library = True + self._schema = hed_schema # This is needed to save attributes in dataframes for now + if hed_schema.with_standard: + self._save_lib = True + if save_merged: + self._save_base = True + self._strip_out_in_library = False + else: + # Saving a standard schema or a library schema without a standard schema + save_merged = True + self._save_lib = True + self._save_base = True + + self._save_merged = save_merged + + self._output_header(hed_schema.get_save_header_attributes(self._save_merged), hed_schema.prologue) + self._output_tags(hed_schema.tags) + self._output_units(hed_schema.unit_classes) + self._output_section(hed_schema, HedSectionKey.UnitModifiers) + self._output_section(hed_schema, HedSectionKey.ValueClasses) + self._output_section(hed_schema, HedSectionKey.Attributes) + self._output_section(hed_schema, HedSectionKey.Properties) + self._output_footer(hed_schema.epilogue) + + return self.output + + def _initialize_output(self): + raise NotImplementedError("This needs to be defined in the subclass") + + def _output_header(self, attributes, prologue): + raise NotImplementedError("This needs to be defined in the subclass") + + def _output_footer(self, epilogue): + raise NotImplementedError("This needs to be defined in the subclass") + + def _start_section(self, key_class): + raise NotImplementedError("This needs to be defined in the subclass") + + def _end_tag_section(self): + raise NotImplementedError("This needs to be defined in the subclass") + + def _write_tag_entry(self, tag_entry, parent=None, level=0): + raise NotImplementedError("This needs to be defined in the subclass") + + def _write_entry(self, entry, parent_node, include_props=True): + raise NotImplementedError("This needs to be defined in the subclass") + + def _output_tags(self, tags): + schema_node = self._start_section(HedSectionKey.Tags) + + # This assumes .all_entries is sorted in a reasonable way for output. + level_adj = 0 + all_nodes = {} # List of all nodes we've written out. + for tag_entry in tags.all_entries: + if self._should_skip(tag_entry): + continue + tag = tag_entry.name + level = tag.count("/") + + # Don't adjust if we're a top level tag(if this is a rooted tag, it will be re-adjusted below) + if not tag_entry.parent_name: + level_adj = 0 + if level == 0: + root_tag = self._write_tag_entry(tag_entry, schema_node, level) + all_nodes[tag_entry.name] = root_tag + else: + # Only output the rooted parent nodes if they have a parent(for duplicates that don't) + if tag_entry.has_attribute(HedKey.InLibrary) and tag_entry.parent and \ + not tag_entry.parent.has_attribute(HedKey.InLibrary) and not self._save_merged: + if tag_entry.parent.name not in all_nodes: + level_adj = level + + parent_node = all_nodes.get(tag_entry.parent_name, schema_node) + child_node = self._write_tag_entry(tag_entry, parent_node, level - level_adj) + all_nodes[tag_entry.name] = child_node + + self._end_tag_section() + + def _output_units(self, unit_classes): + section_node = self._start_section(HedSectionKey.UnitClasses) + + for unit_class_entry in unit_classes.values(): + has_lib_unit = False + if self._should_skip(unit_class_entry): + has_lib_unit = any(unit.attributes.get(HedKey.InLibrary) for unit in unit_class_entry.units.values()) + if not self._save_lib or not has_lib_unit: + continue + + unit_class_node = self._write_entry(unit_class_entry, section_node, not has_lib_unit) + + unit_types = unit_class_entry.units + for unit_entry in unit_types.values(): + if self._should_skip(unit_entry): + continue + + self._write_entry(unit_entry, unit_class_node) + + def _output_section(self, hed_schema, key_class): + parent_node = self._start_section(key_class) + for entry in hed_schema[key_class].values(): + if self._should_skip(entry): + continue + self._write_entry(entry, parent_node) + + def _should_skip(self, entry): + has_lib_attr = entry.has_attribute(HedKey.InLibrary) + if not self._save_base and not has_lib_attr: + return True + if not self._save_lib and has_lib_attr: + return True + return False + + def _attribute_disallowed(self, attribute): + return self._strip_out_in_library and attribute == HedKey.InLibrary + + def _format_tag_attributes(self, attributes): + """ + Takes a dictionary of tag attributes and returns a string with the .mediawiki representation + + Parameters + ---------- + attributes : {str:str} + {attribute_name : attribute_value} + Returns + ------- + str: + The formatted string that should be output to the file. + """ + prop_string = "" + final_props = [] + for prop, value in attributes.items(): + # Never save InLibrary if saving merged. + if self._attribute_disallowed(prop): + continue + if value is True: + final_props.append(prop) + else: + if "," in value: + split_values = value.split(",") + for split_value in split_values: + final_props.append(f"{prop}={split_value}") + else: + final_props.append(f"{prop}={value}") + + if final_props: + interior = ", ".join(final_props) + prop_string = f"{interior}" + + return prop_string + + @staticmethod + def _get_attribs_string_from_schema(header_attributes, sep=" "): + """ + Gets the schema attributes and converts it to a string. + + Parameters + ---------- + header_attributes : dict + Attributes to format attributes from + + Returns + ------- + str: + A string of the attributes that can be written to a .mediawiki formatted file + """ + attrib_values = [f"{attr}=\"{value}\"" for attr, value in header_attributes.items()] + final_attrib_string = sep.join(attrib_values) + return final_attrib_string diff --git a/tests/schema/test_hed_schema_io_util_df.py b/tests/schema/test_hed_schema_io_util_df.py new file mode 100644 index 00000000..4a350376 --- /dev/null +++ b/tests/schema/test_hed_schema_io_util_df.py @@ -0,0 +1,129 @@ +import unittest +import pandas as pd +from hed.schema.schema_io.df_util import _merge_dataframes, merge_dataframe_dicts +from hed import HedFileError + + +class TestMergeDataFrames(unittest.TestCase): + def setUp(self): + # Sample DataFrames for testing + self.df1 = pd.DataFrame({ + 'label': [1, 2, 3], + 'A_col1': ['A1', 'A2', 'A3'], + 'A_col2': [10, 20, 30] + }) + + self.df2 = pd.DataFrame({ + 'label': [2, 3, 4], + 'B_col1': ['B2', 'B3', 'B4'], + 'A_col2': [200, 300, 400] + }) + + self.df3 = pd.DataFrame({ + 'A_col1': ['A1', 'A2', 'A3'], + 'label': [2, 3, 4], + 'B_col1': ['B2', 'B3', 'B4'], + 'A_col2': [200, 300, 400], + 'B_col2': [3, 4, 5] + }) + + def test_merge_all_columns_present(self): + # Test that all columns from both DataFrames are present in the result + result = _merge_dataframes(self.df1, self.df2, 'label') + expected_columns = ['label', 'A_col1', 'A_col2', 'B_col1'] + self.assertListEqual(list(result.columns), expected_columns) + + + def test_merge_all_columns_present_different_order(self): + # Test that all columns from both DataFrames are present in the result + result = _merge_dataframes(self.df1, self.df3, 'label') + expected_columns = ['label', 'A_col1', 'A_col2', 'B_col1', 'B_col2'] + self.assertListEqual(list(result.columns), expected_columns) + + def test_merge_rows_from_df1(self): + # Test that only rows from df1 are present in the result + result = _merge_dataframes(self.df1, self.df2, 'label') + expected_labels = [1, 2, 3] # Only labels present in df1 + self.assertListEqual(list(result['label']), expected_labels) + + def test_merge_add_columns_from_df2(self): + # Test that columns from df2 are added to df1 + result = _merge_dataframes(self.df1, self.df2, 'label') + self.assertIn('B_col1', result.columns) + self.assertEqual(result.loc[result['label'] == 2, 'B_col1'].values[0], 'B2') + self.assertEqual(result.loc[result['label'] == 3, 'B_col1'].values[0], 'B3') + + def test_fill_missing_values(self): + # Test that missing values are filled with '' + result = _merge_dataframes(self.df1, self.df2, 'label') + self.assertEqual(result.loc[result['label'] == 1, 'B_col1'].values[0], '') + + def test_reset_index(self): + # Test that the index is reset correctly + result = _merge_dataframes(self.df1, self.df2, 'label') + expected_index = [0, 1, 2] + self.assertListEqual(list(result.index), expected_index) + + def test_missing_label_column_raises_error(self): + # Test that if one of the DataFrames does not have 'label' column, a HedFileError is raised + df_no_label = pd.DataFrame({ + 'A_col1': ['A1', 'A2', 'A3'], + 'A_col2': [10, 20, 30] + }) + with self.assertRaises(HedFileError): + _merge_dataframes(self.df1, df_no_label, 'label') + with self.assertRaises(HedFileError): + _merge_dataframes(df_no_label, self.df2, 'label') + + def test_merge_source_empty(self): + # Test that throws an exception if one frame is empty + with self.assertRaises(HedFileError): + _merge_dataframes(pd.DataFrame(), self.df1, 'label') + with self.assertRaises(HedFileError): + _merge_dataframes(self.df1, pd.DataFrame(), 'label') + + +class TestMergeDataFrameDicts(unittest.TestCase): + def setUp(self): + # Sample DataFrames for testing + self.df1 = pd.DataFrame({ + 'label': [1, 2, 3], + 'A_col1': ['A1', 'A2', 'A3'], + 'A_col2': [10, 20, 30] + }) + + self.df2 = pd.DataFrame({ + 'label': [2, 3, 4], + 'B_col1': ['B2', 'B3', 'B4'], + 'A_col2': [200, 300, 400] + }) + + self.dict1 = {'df1': self.df1} + self.dict2 = {'df1': self.df2, 'df2': self.df2} + + def test_merge_common_keys(self): + # Test that common keys are merged using _merge_dataframes + result = merge_dataframe_dicts(self.dict1, self.dict2, 'label') + expected_columns = ['label', 'A_col1', 'A_col2', 'B_col1'] + self.assertIn('df1', result) + self.assertListEqual(list(result['df1'].columns), expected_columns) + + def test_merge_unique_keys(self): + # Test that unique keys are preserved in the result dictionary + result = merge_dataframe_dicts(self.dict1, self.dict2, 'label') + self.assertIn('df2', result) + self.assertTrue(result['df2'].equals(self.df2)) + + def test_merge_no_common_keys(self): + # Test merging dictionaries with no common keys + dict1 = {'df1': self.df1} + dict2 = {'df2': self.df2} + result = merge_dataframe_dicts(dict1, dict2, 'label') + self.assertIn('df1', result) + self.assertIn('df2', result) + self.assertTrue(result['df1'].equals(self.df1)) + self.assertTrue(result['df2'].equals(self.df2)) + + +if __name__ == '__main__': + unittest.main() diff --git a/tests/scripts/schemas/hedtsv/test_schema/test_schema_AnnotationProperty.tsv b/tests/scripts/schemas/hedtsv/test_schema/test_schema_AnnotationProperty.tsv new file mode 100644 index 00000000..5a7ff13b --- /dev/null +++ b/tests/scripts/schemas/hedtsv/test_schema/test_schema_AnnotationProperty.tsv @@ -0,0 +1,5 @@ +hedId rdfs:label Type omn:Domain omn:Range Properties dc:description +HED_0010500 hedId AnnotationProperty HedElement string elementDomain, stringRange The unique identifier of this element in the HED namespace. +HED_0010501 requireChild AnnotationProperty HedTag boolean tagDomain, boolRange This tag must have a descendent. +HED_0010502 rooted AnnotationProperty HedTag HedTag tagDomain, tagRange This top-level library schema node should have a parent which is the indicated node in the partnered standard schema. +HED_0010503 takesValue AnnotationProperty HedTag boolean tagDomain, boolRange This tag is a hashtag placeholder that is expected to be replaced with a user-defined value. diff --git a/tests/scripts/schemas/hedtsv/test_schema/test_schema_AttributeProperty.tsv b/tests/scripts/schemas/hedtsv/test_schema/test_schema_AttributeProperty.tsv new file mode 100644 index 00000000..d1530145 --- /dev/null +++ b/tests/scripts/schemas/hedtsv/test_schema/test_schema_AttributeProperty.tsv @@ -0,0 +1,15 @@ +hedId rdfs:label Type dc:description +HED_0010701 annotationProperty AnnotationProperty The value is not inherited by child nodes. +HED_0010702 boolRange AnnotationProperty This schema attribute's value can be true or false. This property was formerly named boolProperty. +HED_0010703 elementDomain AnnotationProperty This schema attribute can apply to any type of element class (i.e., tag, unit, unit class, unit modifier, or value class). This property was formerly named elementProperty. +HED_0010704 tagDomain AnnotationProperty This schema attribute can apply to node (tag-term) elements. This was added so attributes could apply to multiple types of elements. This property was formerly named nodeProperty. +HED_0010705 tagRange AnnotationProperty This schema attribute's value can be a node. This property was formerly named nodeProperty. +HED_0010706 numericRange AnnotationProperty This schema attribute's value can be numeric. +HED_0010707 stringRange AnnotationProperty This schema attribute's value can be a string. +HED_0010708 unitClassDomain AnnotationProperty This schema attribute can apply to unit classes. This property was formerly named unitClassProperty. +HED_0010709 unitClassRange AnnotationProperty This schema attribute's value can be a unit class. +HED_0010710 unitModifierDomain AnnotationProperty This schema attribute can apply to unit modifiers. This property was formerly named unitModifierProperty. +HED_0010711 unitDomain AnnotationProperty This schema attribute can apply to units. This property was formerly named unitProperty. +HED_0010712 unitRange AnnotationProperty This schema attribute's value can be units. +HED_0010713 valueClassDomain AnnotationProperty This schema attribute can apply to value classes. This property was formerly named valueClassProperty. +HED_0010714 valueClassRange AnnotationProperty This schema attribute's value can be a value class. diff --git a/tests/scripts/schemas/hedtsv/test_schema/test_schema_DataProperty.tsv b/tests/scripts/schemas/hedtsv/test_schema/test_schema_DataProperty.tsv new file mode 100644 index 00000000..d3941551 --- /dev/null +++ b/tests/scripts/schemas/hedtsv/test_schema/test_schema_DataProperty.tsv @@ -0,0 +1,15 @@ +hedId rdfs:label Type omn:Domain omn:Range Properties dc:description +HED_0010304 allowedCharacter DataProperty HedUnit or HedUnitModifier or HedValueClass string unitDomain, unitModifierDomain, valueClassDomain, stringRange A special character that is allowed in expressing the value of a placeholder of a specified value class. Allowed characters may be listed individual, named individually, or named as a group as specified in Section 2.2 Character sets and restrictions of the HED specification. +HED_0010305 conversionFactor DataProperty HedUnit or HedUnitModifier float unitDomain, unitModifierDomain, numericRange The factor to multiply these units or unit modifiers by to convert to default units. +HED_0010306 deprecatedFrom DataProperty HedElement string elementDomain, stringRange The latest schema version in which the element was not deprecated. +HED_0010307 extensionAllowed DataProperty HedTag boolean tagDomain, boolRange Users can add unlimited levels of child nodes under this tag. This tag is propagated to child nodes except for hashtag placeholders. +HED_0010309 inLibrary DataProperty HedElement string elementDomain, stringRange The named library schema that this schema element is from. This attribute is added by tools when a library schema is merged into its partnered standard schema. +HED_0010310 reserved DataProperty HedTag boolean tagDomain, boolRange This tag has special meaning and requires special handling by tools. +HED_0010311 SIUnit DataProperty HedUnit boolean unitDomain, boolRange This unit element is an SI unit and can be modified by multiple and sub-multiple names. Note that some units such as byte are designated as SI units although they are not part of the standard. +HED_0010312 SIUnitModifier DataProperty HedUnitModifier boolean unitModifierDomain, boolRange This SI unit modifier represents a multiple or sub-multiple of a base unit rather than a unit symbol. +HED_0010313 SIUnitSymbolModifier DataProperty HedUnitModifier boolean unitModifierDomain, boolRange This SI unit modifier represents a multiple or sub-multiple of a unit symbol rather than a base symbol. +HED_0010314 tagGroup DataProperty HedTag boolean tagDomain, boolRange This tag can only appear inside a tag group. +HED_0010315 topLevelTagGroup DataProperty HedTag boolean tagDomain, boolRange This tag (or its descendants) can only appear in a top-level tag group. There are additional tag-specific restrictions on what other tags can appear in the group with this tag. +HED_0010316 unique DataProperty HedTag boolean tagDomain, boolRange Only one of this tag or its descendants can be used in the event-level HED string. +HED_0010317 unitPrefix DataProperty HedUnit boolean unitDomain, boolRange This unit is a prefix unit (e.g., dollar sign in the currency units). +HED_0010318 unitSymbol DataProperty HedUnit boolean unitDomain, boolRange This tag is an abbreviation or symbol representing a type of unit. Unit symbols represent both the singular and the plural and thus cannot be pluralized. diff --git a/tests/scripts/schemas/hedtsv/test_schema/test_schema_ObjectProperty.tsv b/tests/scripts/schemas/hedtsv/test_schema/test_schema_ObjectProperty.tsv new file mode 100644 index 00000000..827b727c --- /dev/null +++ b/tests/scripts/schemas/hedtsv/test_schema/test_schema_ObjectProperty.tsv @@ -0,0 +1,7 @@ +hedId rdfs:label Type omn:Domain omn:Range Properties dc:description +HED_0010104 defaultUnits ObjectProperty HedUnitClass HedUnit unitClassDomain, unitRange The default units to use if the placeholder has a unit class but the substituted value has no units. +HED_0010109 isPartOf ObjectProperty HedTag HedTag tagDomain, tagRange This tag is part of the indicated tag -- as in the nose is part of the face. +HED_0010105 relatedTag ObjectProperty HedTag HedTag tagDomain, tagRange A HED tag that is closely related to this tag. This attribute is used by tagging tools. +HED_0010106 suggestedTag ObjectProperty HedTag HedTag tagDomain, tagRange A tag that is often associated with this tag. This attribute is used by tagging tools to provide tagging suggestions. +HED_0010107 unitClass ObjectProperty HedTag HedUnitClass tagDomain, unitClassRange The unit class that the value of a placeholder node can belong to. +HED_0010108 valueClass ObjectProperty HedTag HedValueClass tagDomain, valueClassRange Type of value taken on by the value of a placeholder node. diff --git a/tests/scripts/schemas/hedtsv/test_schema/test_schema_Structure.tsv b/tests/scripts/schemas/hedtsv/test_schema/test_schema_Structure.tsv new file mode 100644 index 00000000..fd655bcd --- /dev/null +++ b/tests/scripts/schemas/hedtsv/test_schema/test_schema_Structure.tsv @@ -0,0 +1,4 @@ +hedId rdfs:label Attributes omn:SubClassOf dc:description omn:EquivalentTo +HED_0010010 StandardHeader version="8.3.0", xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance", xsi:noNamespaceSchemaLocation="https://github.com/hed-standard/hed-specification/raw/master/hedxml/HED8.0.0.xsd" HedHeader HedHeader and (inHedSchema some StandardSchema) and (version value "8.3.0") +HED_0010011 StandardPrologue HedPrologue The HED standard schema is a hierarchically-organized vocabulary for annotating events and experimental structure. HED annotations consist of comma-separated tags drawn from this vocabulary. This vocabulary can be augmented by terms drawn from specialized library schema. \n\nEach term in this vocabulary has a human-readable description and may include additional attributes that give additional properties or that specify how tools should treat the tag during analysis. The meaning of these attributes is described in the Additional schema properties section. HedPrologue and (inHedSchema some StandardSchema) +HED_0010012 StandardEpilogue HedEpilogue This schema is released under the Creative Commons Attribution 4.0 International and is a product of the HED Working Group. The DOI for the latest version of the HED standard schema is 10.5281/zenodo.7876037. HedEpilogue and (inHedSchema some StandardSchema) diff --git a/tests/scripts/schemas/hedtsv/test_schema/test_schema_Tag.tsv b/tests/scripts/schemas/hedtsv/test_schema/test_schema_Tag.tsv new file mode 100644 index 00000000..b93c55d9 --- /dev/null +++ b/tests/scripts/schemas/hedtsv/test_schema/test_schema_Tag.tsv @@ -0,0 +1,1231 @@ +hedId rdfs:label Level omn:SubClassOf Attributes dc:description omn:EquivalentTo +HED_0012001 Event 0 HedTag suggestedTag=Task-property Something that happens at a given time and (typically) place. Elements of this tag subtree designate the general category in which an event falls. HedTag and (suggestedTag some Task-property) and (inHedSchema some StandardSchema) +HED_0012002 Sensory-event 1 Event suggestedTag=Task-event-role, suggestedTag=Sensory-presentation Something perceivable by the participant. An event meant to be an experimental stimulus should include the tag Task-property/Task-event-role/Experimental-stimulus. Event and (suggestedTag some Task-event-role) and (suggestedTag some Sensory-presentation) +HED_0012003 Agent-action 1 Event suggestedTag=Task-event-role, suggestedTag=Agent Any action engaged in by an agent (see the Agent subtree for agent categories). A participant response to an experiment stimulus should include the tag Agent-property/Agent-task-role/Experiment-participant. Event and (suggestedTag some Task-event-role) and (suggestedTag some Agent) +HED_0012004 Data-feature 1 Event suggestedTag=Data-property An event marking the occurrence of a data feature such as an interictal spike or alpha burst that is often added post hoc to the data record. Event and (suggestedTag some Data-property) +HED_0012005 Experiment-control 1 Event An event pertaining to the physical control of the experiment during its operation. +HED_0012006 Experiment-procedure 1 Event An event indicating an experimental procedure, as in performing a saliva swab during the experiment or administering a survey. +HED_0012007 Experiment-structure 1 Event An event specifying a change-point of the structure of experiment. This event is typically used to indicate a change in experimental conditions or tasks. +HED_0012008 Measurement-event 1 Event suggestedTag=Data-property A discrete measure returned by an instrument. Event and (suggestedTag some Data-property) +HED_0012009 Agent 0 HedTag suggestedTag=Agent-property Someone or something that takes an active role or produces a specified effect.The role or effect may be implicit. Being alive or performing an activity such as a computation may qualify something to be an agent. An agent may also be something that simulates something else. HedTag and (suggestedTag some Agent-property) and (inHedSchema some StandardSchema) +HED_0012010 Animal-agent 1 Agent An agent that is an animal. +HED_0012011 Avatar-agent 1 Agent An agent associated with an icon or avatar representing another agent. +HED_0012012 Controller-agent 1 Agent Experiment control software or hardware. +HED_0012013 Human-agent 1 Agent A person who takes an active role or produces a specified effect. +HED_0012014 Robotic-agent 1 Agent An agent mechanical device capable of performing a variety of often complex tasks on command or by being programmed in advance. +HED_0012015 Software-agent 1 Agent An agent computer program that interacts with the participant in an active role such as an AI advisor. +HED_0012016 Action 0 HedTag extensionAllowed Do something. HedTag and (extensionAllowed value true) and (inHedSchema some StandardSchema) +HED_0012017 Communicate 1 Action Action conveying knowledge of or about something. +HED_0012018 Communicate-gesturally 2 Communicate relatedTag=Move-face, relatedTag=Move-upper-extremity Communicate non-verbally using visible bodily actions, either in place of speech or together and in parallel with spoken words. Gestures include movement of the hands, face, or other parts of the body. Communicate and (relatedTag some Move-face) and (relatedTag some Move-upper-extremity) +HED_0012019 Clap-hands 3 Communicate-gesturally Strike the palms of against one another resoundingly, and usually repeatedly, especially to express approval. +HED_0012020 Clear-throat 3 Communicate-gesturally relatedTag=Move-face, relatedTag=Move-head Cough slightly so as to speak more clearly, attract attention, or to express hesitancy before saying something awkward. Communicate-gesturally and (relatedTag some Move-face) and (relatedTag some Move-head) +HED_0012021 Frown 3 Communicate-gesturally relatedTag=Move-face Express disapproval, displeasure, or concentration, typically by turning down the corners of the mouth. Communicate-gesturally and (relatedTag some Move-face) +HED_0012022 Grimace 3 Communicate-gesturally relatedTag=Move-face Make a twisted expression, typically expressing disgust, pain, or wry amusement. Communicate-gesturally and (relatedTag some Move-face) +HED_0012023 Nod-head 3 Communicate-gesturally relatedTag=Move-head Tilt head in alternating up and down arcs along the sagittal plane. It is most commonly, but not universally, used to indicate agreement, acceptance, or acknowledgement. Communicate-gesturally and (relatedTag some Move-head) +HED_0012024 Pump-fist 3 Communicate-gesturally relatedTag=Move-upper-extremity Raise with fist clenched in triumph or affirmation. Communicate-gesturally and (relatedTag some Move-upper-extremity) +HED_0012025 Raise-eyebrows 3 Communicate-gesturally relatedTag=Move-face, relatedTag=Move-eyes Move eyebrows upward. Communicate-gesturally and (relatedTag some Move-face) and (relatedTag some Move-eyes) +HED_0012026 Shake-fist 3 Communicate-gesturally relatedTag=Move-upper-extremity Clench hand into a fist and shake to demonstrate anger. Communicate-gesturally and (relatedTag some Move-upper-extremity) +HED_0012027 Shake-head 3 Communicate-gesturally relatedTag=Move-head Turn head from side to side as a way of showing disagreement or refusal. Communicate-gesturally and (relatedTag some Move-head) +HED_0012028 Shhh 3 Communicate-gesturally relatedTag=Move-upper-extremity Place finger over lips and possibly uttering the syllable shhh to indicate the need to be quiet. Communicate-gesturally and (relatedTag some Move-upper-extremity) +HED_0012029 Shrug 3 Communicate-gesturally relatedTag=Move-upper-extremity, relatedTag=Move-torso Lift shoulders up towards head to indicate a lack of knowledge about a particular topic. Communicate-gesturally and (relatedTag some Move-upper-extremity) and (relatedTag some Move-torso) +HED_0012030 Smile 3 Communicate-gesturally relatedTag=Move-face Form facial features into a pleased, kind, or amused expression, typically with the corners of the mouth turned up and the front teeth exposed. Communicate-gesturally and (relatedTag some Move-face) +HED_0012031 Spread-hands 3 Communicate-gesturally relatedTag=Move-upper-extremity Spread hands apart to indicate ignorance. Communicate-gesturally and (relatedTag some Move-upper-extremity) +HED_0012032 Thumb-up 3 Communicate-gesturally relatedTag=Move-upper-extremity Extend the thumb upward to indicate approval. Communicate-gesturally and (relatedTag some Move-upper-extremity) +HED_0012033 Thumbs-down 3 Communicate-gesturally relatedTag=Move-upper-extremity Extend the thumb downward to indicate disapproval. Communicate-gesturally and (relatedTag some Move-upper-extremity) +HED_0012034 Wave 3 Communicate-gesturally relatedTag=Move-upper-extremity Raise hand and move left and right, as a greeting or sign of departure. Communicate-gesturally and (relatedTag some Move-upper-extremity) +HED_0012035 Widen-eyes 3 Communicate-gesturally relatedTag=Move-face, relatedTag=Move-eyes Open eyes and possibly with eyebrows lifted especially to express surprise or fear. Communicate-gesturally and (relatedTag some Move-face) and (relatedTag some Move-eyes) +HED_0012036 Wink 3 Communicate-gesturally relatedTag=Move-face, relatedTag=Move-eyes Close and open one eye quickly, typically to indicate that something is a joke or a secret or as a signal of affection or greeting. Communicate-gesturally and (relatedTag some Move-face) and (relatedTag some Move-eyes) +HED_0012037 Communicate-musically 2 Communicate Communicate using music. +HED_0012038 Hum 3 Communicate-musically Make a low, steady continuous sound like that of a bee. Sing with the lips closed and without uttering speech. +HED_0012039 Play-instrument 3 Communicate-musically Make musical sounds using an instrument. +HED_0012040 Sing 3 Communicate-musically Produce musical tones by means of the voice. +HED_0012041 Vocalize 3 Communicate-musically Utter vocal sounds. +HED_0012042 Whistle 3 Communicate-musically Produce a shrill clear sound by forcing breath out or air in through the puckered lips. +HED_0012043 Communicate-vocally 2 Communicate Communicate using mouth or vocal cords. +HED_0012044 Cry 3 Communicate-vocally Shed tears associated with emotions, usually sadness but also joy or frustration. +HED_0012045 Groan 3 Communicate-vocally Make a deep inarticulate sound in response to pain or despair. +HED_0012046 Laugh 3 Communicate-vocally Make the spontaneous sounds and movements of the face and body that are the instinctive expressions of lively amusement and sometimes also of contempt or derision. +HED_0012047 Scream 3 Communicate-vocally Make loud, vociferous cries or yells to express pain, excitement, or fear. +HED_0012048 Shout 3 Communicate-vocally Say something very loudly. +HED_0012049 Sigh 3 Communicate-vocally Emit a long, deep, audible breath expressing sadness, relief, tiredness, or a similar feeling. +HED_0012050 Speak 3 Communicate-vocally Communicate using spoken language. +HED_0012051 Whisper 3 Communicate-vocally Speak very softly using breath without vocal cords. +HED_0012052 Move 1 Action Move in a specified direction or manner. Change position or posture. +HED_0012053 Breathe 2 Move Inhale or exhale during respiration. +HED_0012054 Blow 3 Breathe Expel air through pursed lips. +HED_0012055 Cough 3 Breathe Suddenly and audibly expel air from the lungs through a partially closed glottis, preceded by inhalation. +HED_0012056 Exhale 3 Breathe Blow out or expel breath. +HED_0012057 Hiccup 3 Breathe Involuntarily spasm the diaphragm and respiratory organs, with a sudden closure of the glottis and a characteristic sound like that of a cough. +HED_0012058 Hold-breath 3 Breathe Interrupt normal breathing by ceasing to inhale or exhale. +HED_0012059 Inhale 3 Breathe Draw in with the breath through the nose or mouth. +HED_0012060 Sneeze 3 Breathe Suddenly and violently expel breath through the nose and mouth. +HED_0012061 Sniff 3 Breathe Draw in air audibly through the nose to detect a smell, to stop it from running, or to express contempt. +HED_0012062 Move-body 2 Move Move entire body. +HED_0012063 Bend 3 Move-body Move body in a bowed or curved manner. +HED_0012064 Dance 3 Move-body Perform a purposefully selected sequences of human movement often with aesthetic or symbolic value. Move rhythmically to music, typically following a set sequence of steps. +HED_0012065 Fall-down 3 Move-body Lose balance and collapse. +HED_0012066 Flex 3 Move-body Cause a muscle to stand out by contracting or tensing it. Bend a limb or joint. +HED_0012067 Jerk 3 Move-body Make a quick, sharp, sudden movement. +HED_0012068 Lie-down 3 Move-body Move to a horizontal or resting position. +HED_0012069 Recover-balance 3 Move-body Return to a stable, upright body position. +HED_0012070 Shudder 3 Move-body Tremble convulsively, sometimes as a result of fear or revulsion. +HED_0012071 Sit-down 3 Move-body Move from a standing to a sitting position. +HED_0012072 Sit-up 3 Move-body Move from lying down to a sitting position. +HED_0012073 Stand-up 3 Move-body Move from a sitting to a standing position. +HED_0012074 Stretch 3 Move-body Straighten or extend body or a part of body to its full length, typically so as to tighten muscles or in order to reach something. +HED_0012075 Stumble 3 Move-body Trip or momentarily lose balance and almost fall. +HED_0012076 Turn 3 Move-body Change or cause to change direction. +HED_0012077 Move-body-part 2 Move Move one part of a body. +HED_0012078 Move-eyes 3 Move-body-part Move eyes. +HED_0012079 Blink 4 Move-eyes Shut and open the eyes quickly. +HED_0012080 Close-eyes 4 Move-eyes Lower and keep eyelids in a closed position. +HED_0012081 Fixate 4 Move-eyes Direct eyes to a specific point or target. +HED_0012082 Inhibit-blinks 4 Move-eyes Purposely prevent blinking. +HED_0012083 Open-eyes 4 Move-eyes Raise eyelids to expose pupil. +HED_0012084 Saccade 4 Move-eyes Move eyes rapidly between fixation points. +HED_0012085 Squint 4 Move-eyes Squeeze one or both eyes partly closed in an attempt to see more clearly or as a reaction to strong light. +HED_0012086 Stare 4 Move-eyes Look fixedly or vacantly at someone or something with eyes wide open. +HED_0012087 Move-face 3 Move-body-part Move the face or jaw. +HED_0012088 Bite 4 Move-face Seize with teeth or jaws an object or organism so as to grip or break the surface covering. +HED_0012089 Burp 4 Move-face Noisily release air from the stomach through the mouth. Belch. +HED_0012090 Chew 4 Move-face Repeatedly grinding, tearing, and or crushing with teeth or jaws. +HED_0012091 Gurgle 4 Move-face Make a hollow bubbling sound like that made by water running out of a bottle. +HED_0012092 Swallow 4 Move-face Cause or allow something, especially food or drink to pass down the throat. +HED_0012093 Gulp 5 Swallow Swallow quickly or in large mouthfuls, often audibly, sometimes to indicate apprehension. +HED_0012094 Yawn 4 Move-face Take a deep involuntary inhalation with the mouth open often as a sign of drowsiness or boredom. +HED_0012095 Move-head 3 Move-body-part Move head. +HED_0012096 Lift-head 4 Move-head Tilt head back lifting chin. +HED_0012097 Lower-head 4 Move-head Move head downward so that eyes are in a lower position. +HED_0012098 Turn-head 4 Move-head Rotate head horizontally to look in a different direction. +HED_0012099 Move-lower-extremity 3 Move-body-part Move leg and/or foot. +HED_0012100 Curl-toes 4 Move-lower-extremity Bend toes sometimes to grip. +HED_0012101 Hop 4 Move-lower-extremity Jump on one foot. +HED_0012102 Jog 4 Move-lower-extremity Run at a trot to exercise. +HED_0012103 Jump 4 Move-lower-extremity Move off the ground or other surface through sudden muscular effort in the legs. +HED_0012104 Kick 4 Move-lower-extremity Strike out or flail with the foot or feet.Strike using the leg, in unison usually with an area of the knee or lower using the foot. +HED_0012105 Pedal 4 Move-lower-extremity Move by working the pedals of a bicycle or other machine. +HED_0012106 Press-foot 4 Move-lower-extremity Move by pressing foot. +HED_0012107 Run 4 Move-lower-extremity Travel on foot at a fast pace. +HED_0012108 Step 4 Move-lower-extremity Put one leg in front of the other and shift weight onto it. +HED_0012109 Heel-strike 5 Step Strike the ground with the heel during a step. +HED_0012110 Toe-off 5 Step Push with toe as part of a stride. +HED_0012111 Trot 4 Move-lower-extremity Run at a moderate pace, typically with short steps. +HED_0012112 Walk 4 Move-lower-extremity Move at a regular pace by lifting and setting down each foot in turn never having both feet off the ground at once. +HED_0012113 Move-torso 3 Move-body-part Move body trunk. +HED_0012114 Move-upper-extremity 3 Move-body-part Move arm, shoulder, and/or hand. +HED_0012115 Drop 4 Move-upper-extremity Let or cause to fall vertically. +HED_0012116 Grab 4 Move-upper-extremity Seize suddenly or quickly. Snatch or clutch. +HED_0012117 Grasp 4 Move-upper-extremity Seize and hold firmly. +HED_0012118 Hold-down 4 Move-upper-extremity Prevent someone or something from moving by holding them firmly. +HED_0012119 Lift 4 Move-upper-extremity Raising something to higher position. +HED_0012120 Make-fist 4 Move-upper-extremity Close hand tightly with the fingers bent against the palm. +HED_0012121 Point 4 Move-upper-extremity Draw attention to something by extending a finger or arm. +HED_0012122 Press 4 Move-upper-extremity relatedTag=Push Apply pressure to something to flatten, shape, smooth or depress it. This action tag should be used to indicate key presses and mouse clicks. Move-upper-extremity and (relatedTag some Push) +HED_0012123 Push 4 Move-upper-extremity relatedTag=Press Apply force in order to move something away. Use Press to indicate a key press or mouse click. Move-upper-extremity and (relatedTag some Press) +HED_0012124 Reach 4 Move-upper-extremity Stretch out your arm in order to get or touch something. +HED_0012125 Release 4 Move-upper-extremity Make available or set free. +HED_0012126 Retract 4 Move-upper-extremity Draw or pull back. +HED_0012127 Scratch 4 Move-upper-extremity Drag claws or nails over a surface or on skin. +HED_0012128 Snap-fingers 4 Move-upper-extremity Make a noise by pushing second finger hard against thumb and then releasing it suddenly so that it hits the base of the thumb. +HED_0012129 Touch 4 Move-upper-extremity Come into or be in contact with. +HED_0012130 Perceive 1 Action Produce an internal, conscious image through stimulating a sensory system. +HED_0012131 Hear 2 Perceive Give attention to a sound. +HED_0012132 See 2 Perceive Direct gaze toward someone or something or in a specified direction. +HED_0012133 Sense-by-touch 2 Perceive Sense something through receptors in the skin. +HED_0012134 Smell 2 Perceive Inhale in order to ascertain an odor or scent. +HED_0012135 Taste 2 Perceive Sense a flavor in the mouth and throat on contact with a substance. +HED_0012136 Perform 1 Action Carry out or accomplish an action, task, or function. +HED_0012137 Close 2 Perform Act as to blocked against entry or passage. +HED_0012138 Collide-with 2 Perform Hit with force when moving. +HED_0012139 Halt 2 Perform Bring or come to an abrupt stop. +HED_0012140 Modify 2 Perform Change something. +HED_0012141 Open 2 Perform Widen an aperture, door, or gap, especially one allowing access to something. +HED_0012142 Operate 2 Perform Control the functioning of a machine, process, or system. +HED_0012143 Play 2 Perform Engage in activity for enjoyment and recreation rather than a serious or practical purpose. +HED_0012144 Read 2 Perform Interpret something that is written or printed. +HED_0012145 Repeat 2 Perform Make do or perform again. +HED_0012146 Rest 2 Perform Be inactive in order to regain strength, health, or energy. +HED_0012147 Ride 2 Perform Ride on an animal or in a vehicle. Ride conveys some notion that another agent has partial or total control of the motion. +HED_0012148 Write 2 Perform Communicate or express by means of letters or symbols written or imprinted on a surface. +HED_0012149 Think 1 Action Direct the mind toward someone or something or use the mind actively to form connected ideas. +HED_0012150 Allow 2 Think Allow access to something such as allowing a car to pass. +HED_0012151 Attend-to 2 Think Focus mental experience on specific targets. +HED_0012152 Count 2 Think Tally items either silently or aloud. +HED_0012153 Deny 2 Think Refuse to give or grant something requested or desired by someone. +HED_0012154 Detect 2 Think Discover or identify the presence or existence of something. +HED_0012155 Discriminate 2 Think Recognize a distinction. +HED_0012156 Encode 2 Think Convert information or an instruction into a particular form. +HED_0012157 Evade 2 Think Escape or avoid, especially by cleverness or trickery. +HED_0012158 Generate 2 Think Cause something, especially an emotion or situation to arise or come about. +HED_0012159 Identify 2 Think Establish or indicate who or what someone or something is. +HED_0012160 Imagine 2 Think Form a mental image or concept of something. +HED_0012161 Judge 2 Think Evaluate evidence to make a decision or form a belief. +HED_0012162 Learn 2 Think Adaptively change behavior as the result of experience. +HED_0012163 Memorize 2 Think Adaptively change behavior as the result of experience. +HED_0012164 Plan 2 Think Think about the activities required to achieve a desired goal. +HED_0012165 Predict 2 Think Say or estimate that something will happen or will be a consequence of something without having exact information. +HED_0012166 Recall 2 Think Remember information by mental effort. +HED_0012167 Recognize 2 Think Identify someone or something from having encountered them before. +HED_0012168 Respond 2 Think React to something such as a treatment or a stimulus. +HED_0012169 Switch-attention 2 Think Transfer attention from one focus to another. +HED_0012170 Track 2 Think Follow a person, animal, or object through space or time. +HED_0012171 Item 0 HedTag extensionAllowed An independently existing thing (living or nonliving). HedTag and (extensionAllowed value true) and (inHedSchema some StandardSchema) +HED_0012172 Biological-item 1 Item An entity that is biological, that is related to living organisms. +HED_0012173 Anatomical-item 2 Biological-item A biological structure, system, fluid or other substance excluding single molecular entities. +HED_0012174 Body 3 Anatomical-item The biological structure representing an organism. +HED_0012175 Body-part 3 Anatomical-item Any part of an organism. +HED_0012176 Head 4 Body-part The upper part of the human body, or the front or upper part of the body of an animal, typically separated from the rest of the body by a neck, and containing the brain, mouth, and sense organs. +HED_0013200 Head-part 4 Body-part A part of the head. +HED_0012177 Brain 5 Head-part Organ inside the head that is made up of nerve cells and controls the body. +HED_0013201 Brain-region 5 Head-part A region of the brain. +HED_0013202 Cerebellum 6 Brain-region A major structure of the brain located near the brainstem. It plays a key role in motor control, coordination, precision, with contributions to different cognitive functions. +HED_0012178 Frontal-lobe 6 Brain-region +HED_0012179 Occipital-lobe 6 Brain-region +HED_0012180 Parietal-lobe 6 Brain-region +HED_0012181 Temporal-lobe 6 Brain-region +HED_0012182 Ear 5 Head-part A sense organ needed for the detection of sound and for establishing balance. +HED_0012183 Face 5 Head-part The anterior portion of the head extending from the forehead to the chin and ear to ear. The facial structures contain the eyes, nose and mouth, cheeks and jaws. +HED_0013203 Face-part 5 Head-part A part of the face. +HED_0012184 Cheek 6 Face-part The fleshy part of the face bounded by the eyes, nose, ear, and jawline. +HED_0012185 Chin 6 Face-part The part of the face below the lower lip and including the protruding part of the lower jaw. +HED_0012186 Eye 6 Face-part The organ of sight or vision. +HED_0012187 Eyebrow 6 Face-part The arched strip of hair on the bony ridge above each eye socket. +HED_0012188 Eyelid 6 Face-part The folds of the skin that cover the eye when closed. +HED_0012189 Forehead 6 Face-part The part of the face between the eyebrows and the normal hairline. +HED_0012190 Lip 6 Face-part Fleshy fold which surrounds the opening of the mouth. +HED_0012191 Mouth 6 Face-part The proximal portion of the digestive tract, containing the oral cavity and bounded by the oral opening. +HED_0013204 Mouth-part 6 Face-part A part of the mouth. +HED_0012193 Teeth 7 Mouth-part The hard bone-like structures in the jaws. A collection of teeth arranged in some pattern in the mouth or other part of the body. +HED_0013205 Tongue 7 Mouth-part A muscular organ in the mouth with significant role in mastication, swallowing, speech, and taste. +HED_0012192 Nose 6 Face-part A structure of special sense serving as an organ of the sense of smell and as an entrance to the respiratory tract. +HED_0012194 Hair 5 Head-part The filamentous outgrowth of the epidermis. +HED_0012195 Lower-extremity 4 Body-part Refers to the whole inferior limb (leg and/or foot). +HED_0013206 Lower-extremity-part 4 Body-part A part of the lower extremity. +HED_0012196 Ankle 5 Lower-extremity-part A gliding joint between the distal ends of the tibia and fibula and the proximal end of the talus. +HED_0012198 Foot 5 Lower-extremity-part The structure found below the ankle joint required for locomotion. +HED_0013207 Foot-part 5 Lower-extremity-part A part of the foot. +HED_0012200 Heel 6 Foot-part The back of the foot below the ankle. +HED_0012201 Instep 6 Foot-part The part of the foot between the ball and the heel on the inner side. +HED_0013208 Toe 6 Foot-part A digit of the foot. +HED_0012199 Big-toe 7 Toe The largest toe on the inner side of the foot. +HED_0012202 Little-toe 7 Toe The smallest toe located on the outer side of the foot. +HED_0012203 Toes 6 Foot-part relatedTag=Toe The terminal digits of the foot. Used to describe collective attributes of all toes, such as bending all toes Foot-part and (relatedTag some Toe) +HED_0012204 Knee 5 Lower-extremity-part A joint connecting the lower part of the femur with the upper part of the tibia. +HED_0013209 Lower-leg 5 Lower-extremity-part The part of the leg between the knee and the ankle. +HED_0013210 Lower-leg-part 5 Lower-extremity-part A part of the lower leg. +HED_0012197 Calf 6 Lower-leg-part The fleshy part at the back of the leg below the knee. +HED_0012205 Shin 6 Lower-leg-part Front part of the leg below the knee. +HED_0013211 Upper-leg 5 Lower-extremity-part The part of the leg between the hip and the knee. +HED_0013212 Upper-leg-part 5 Lower-extremity-part A part of the upper leg. +HED_0012206 Thigh 6 Upper-leg-part Upper part of the leg between hip and knee. +HED_0013213 Neck 4 Body-part The part of the body connecting the head to the torso, containing the cervical spine and vital pathways of nerves, blood vessels, and the airway. +HED_0012207 Torso 4 Body-part The body excluding the head and neck and limbs. +HED_0013214 Torso-part 4 Body-part A part of the torso. +HED_0013215 Abdomen 5 Torso-part The part of the body between the thorax and the pelvis. +HED_0013216 Navel 5 Torso-part The central mark on the abdomen created by the detachment of the umbilical cord after birth. +HED_0013217 Pelvis 5 Torso-part The bony structure at the base of the spine supporting the legs. +HED_0013218 Pelvis-part 5 Torso-part A part of the pelvis. +HED_0012208 Buttocks 6 Pelvis-part The round fleshy parts that form the lower rear area of a human trunk. +HED_0013219 Genitalia 6 Pelvis-part The external organs of reproduction and urination, located in the pelvic region. This includes both male and female genital structures. +HED_0012209 Gentalia 6 Pelvis-part deprecatedFrom=8.1.0 The external organs of reproduction. Deprecated due to spelling error. Use Genitalia. Pelvis-part and (deprecatedFrom value "8.1.0") +HED_0012210 Hip 6 Pelvis-part The lateral prominence of the pelvis from the waist to the thigh. +HED_0012211 Torso-back 5 Torso-part The rear surface of the human body from the shoulders to the hips. +HED_0012212 Torso-chest 5 Torso-part The anterior side of the thorax from the neck to the abdomen. +HED_0012213 Viscera 5 Torso-part Internal organs of the body. +HED_0012214 Waist 5 Torso-part The abdominal circumference at the navel. +HED_0012215 Upper-extremity 4 Body-part Refers to the whole superior limb (shoulder, arm, elbow, wrist, hand). +HED_0013220 Upper-extremity-part 4 Body-part A part of the upper extremity. +HED_0012216 Elbow 5 Upper-extremity-part A type of hinge joint located between the forearm and upper arm. +HED_0012217 Forearm 5 Upper-extremity-part Lower part of the arm between the elbow and wrist. +HED_0013221 Forearm-part 5 Upper-extremity-part A part of the forearm. +HED_0012218 Hand 5 Upper-extremity-part The distal portion of the upper extremity. It consists of the carpus, metacarpus, and digits. +HED_0013222 Hand-part 5 Upper-extremity-part A part of the hand. +HED_0012219 Finger 6 Hand-part Any of the digits of the hand. +HED_0012220 Index-finger 7 Finger The second finger from the radial side of the hand, next to the thumb. +HED_0012221 Little-finger 7 Finger The fifth and smallest finger from the radial side of the hand. +HED_0012222 Middle-finger 7 Finger The middle or third finger from the radial side of the hand. +HED_0012223 Ring-finger 7 Finger The fourth finger from the radial side of the hand. +HED_0012224 Thumb 7 Finger The thick and short hand digit which is next to the index finger in humans. +HED_0013223 Fingers 6 Hand-part relatedTag=Finger The terminal digits of the hand. Used to describe collective attributes of all fingers, such as bending all fingers Hand-part and (relatedTag some Finger) +HED_0012225 Knuckles 6 Hand-part A part of a finger at a joint where the bone is near the surface, especially where the finger joins the hand. +HED_0012226 Palm 6 Hand-part The part of the inner surface of the hand that extends from the wrist to the bases of the fingers. +HED_0012227 Shoulder 5 Upper-extremity-part Joint attaching upper arm to trunk. +HED_0012228 Upper-arm 5 Upper-extremity-part Portion of arm between shoulder and elbow. +HED_0013224 Upper-arm-part 5 Upper-extremity-part A part of the upper arm. +HED_0012229 Wrist 5 Upper-extremity-part A joint between the distal end of the radius and the proximal row of carpal bones. +HED_0012230 Organism 2 Biological-item A living entity, more specifically a biological entity that consists of one or more cells and is capable of genomic replication (independently or not). +HED_0012231 Animal 3 Organism A living organism that has membranous cell walls, requires oxygen and organic foods, and is capable of voluntary movement. +HED_0012232 Human 3 Organism The bipedal primate mammal Homo sapiens. +HED_0012233 Plant 3 Organism Any living organism that typically synthesizes its food from inorganic substances and possesses cellulose cell walls. +HED_0012234 Language-item 1 Item suggestedTag=Sensory-presentation An entity related to a systematic means of communicating by the use of sounds, symbols, or gestures. Item and (suggestedTag some Sensory-presentation) +HED_0012235 Character 2 Language-item A mark or symbol used in writing. +HED_0012236 Clause 2 Language-item A unit of grammatical organization next below the sentence in rank, usually consisting of a subject and predicate. +HED_0012237 Glyph 2 Language-item A hieroglyphic character, symbol, or pictograph. +HED_0012238 Nonword 2 Language-item An unpronounceable group of letters or speech sounds that is surrounded by white space when written, is not accepted as a word by native speakers. +HED_0012239 Paragraph 2 Language-item A distinct section of a piece of writing, usually dealing with a single theme. +HED_0012240 Phoneme 2 Language-item Any of the minimally distinct units of sound in a specified language that distinguish one word from another. +HED_0012241 Phrase 2 Language-item A phrase is a group of words functioning as a single unit in the syntax of a sentence. +HED_0012242 Pseudoword 2 Language-item A pronounceable group of letters or speech sounds that looks or sounds like a word but that is not accepted as such by native speakers. +HED_0012243 Sentence 2 Language-item A set of words that is complete in itself, conveying a statement, question, exclamation, or command and typically containing an explicit or implied subject and a predicate containing a finite verb. +HED_0012244 Syllable 2 Language-item A unit of pronunciation having a vowel or consonant sound, with or without surrounding consonants, forming the whole or a part of a word. +HED_0012245 Textblock 2 Language-item A block of text. +HED_0012246 Word 2 Language-item A single distinct meaningful element of speech or writing, used with others (or sometimes alone) to form a sentence and typically surrounded by white space when written or printed. +HED_0012247 Object 1 Item suggestedTag=Sensory-presentation Something perceptible by one or more of the senses, especially by vision or touch. A material thing. Item and (suggestedTag some Sensory-presentation) +HED_0012248 Geometric-object 2 Object An object or a representation that has structure and topology in space. +HED_0012249 2D-shape 3 Geometric-object A planar, two-dimensional shape. +HED_0012250 Arrow 4 2D-shape A shape with a pointed end indicating direction. +HED_0012251 Clockface 4 2D-shape The dial face of a clock. A location identifier based on clock-face-position numbering or anatomic subregion. +HED_0012252 Cross 4 2D-shape A figure or mark formed by two intersecting lines crossing at their midpoints. +HED_0012253 Dash 4 2D-shape A horizontal stroke in writing or printing to mark a pause or break in sense or to represent omitted letters or words. +HED_0012254 Ellipse 4 2D-shape A closed plane curve resulting from the intersection of a circular cone and a plane cutting completely through it, especially a plane not parallel to the base. +HED_0012255 Circle 5 Ellipse A ring-shaped structure with every point equidistant from the center. +HED_0012256 Rectangle 4 2D-shape A parallelogram with four right angles. +HED_0012257 Square 5 Rectangle A square is a special rectangle with four equal sides. +HED_0012258 Single-point 4 2D-shape A point is a geometric entity that is located in a zero-dimensional spatial region and whose position is defined by its coordinates in some coordinate system. +HED_0012259 Star 4 2D-shape A conventional or stylized representation of a star, typically one having five or more points. +HED_0012260 Triangle 4 2D-shape A three-sided polygon. +HED_0012261 3D-shape 3 Geometric-object A geometric three-dimensional shape. +HED_0012262 Box 4 3D-shape A square or rectangular vessel, usually made of cardboard or plastic. +HED_0012263 Cube 5 Box A solid or semi-solid in the shape of a three dimensional square. +HED_0012264 Cone 4 3D-shape A shape whose base is a circle and whose sides taper up to a point. +HED_0012265 Cylinder 4 3D-shape A surface formed by circles of a given radius that are contained in a plane perpendicular to a given axis, whose centers align on the axis. +HED_0012266 Ellipsoid 4 3D-shape A closed plane curve resulting from the intersection of a circular cone and a plane cutting completely through it, especially a plane not parallel to the base. +HED_0012267 Sphere 5 Ellipsoid A solid or hollow three-dimensional object bounded by a closed surface such that every point on the surface is equidistant from the center. +HED_0012268 Pyramid 4 3D-shape A polyhedron of which one face is a polygon of any number of sides, and the other faces are triangles with a common vertex. +HED_0012269 Pattern 3 Geometric-object An arrangement of objects, facts, behaviors, or other things which have scientific, mathematical, geometric, statistical, or other meaning. +HED_0012270 Dots 4 Pattern A small round mark or spot. +HED_0012271 LED-pattern 4 Pattern A pattern created by lighting selected members of a fixed light emitting diode array. +HED_0012272 Ingestible-object 2 Object Something that can be taken into the body by the mouth for digestion or absorption. +HED_0012273 Man-made-object 2 Object Something constructed by human means. +HED_0012274 Building 3 Man-made-object A structure that has a roof and walls and stands more or less permanently in one place. +HED_0012275 Attic 4 Building A room or a space immediately below the roof of a building. +HED_0012276 Basement 4 Building The part of a building that is wholly or partly below ground level. +HED_0012277 Entrance 4 Building The means or place of entry. +HED_0012278 Roof 4 Building A roof is the covering on the uppermost part of a building which provides protection from animals and weather, notably rain, but also heat, wind and sunlight. +HED_0012279 Room 4 Building An area within a building enclosed by walls and floor and ceiling. +HED_0012280 Clothing 3 Man-made-object A covering designed to be worn on the body. +HED_0012281 Device 3 Man-made-object An object contrived for a specific purpose. +HED_0012282 Assistive-device 4 Device A device that help an individual accomplish a task. +HED_0012283 Glasses 5 Assistive-device Frames with lenses worn in front of the eye for vision correction, eye protection, or protection from UV rays. +HED_0012284 Writing-device 5 Assistive-device A device used for writing. +HED_0012285 Pen 6 Writing-device A common writing instrument used to apply ink to a surface for writing or drawing. +HED_0012286 Pencil 6 Writing-device An implement for writing or drawing that is constructed of a narrow solid pigment core in a protective casing that prevents the core from being broken or marking the hand. +HED_0012287 Computing-device 4 Device An electronic device which take inputs and processes results from the inputs. +HED_0012288 Cellphone 5 Computing-device A telephone with access to a cellular radio system so it can be used over a wide area, without a physical connection to a network. +HED_0012289 Desktop-computer 5 Computing-device A computer suitable for use at an ordinary desk. +HED_0012290 Laptop-computer 5 Computing-device A computer that is portable and suitable for use while traveling. +HED_0012291 Tablet-computer 5 Computing-device A small portable computer that accepts input directly on to its screen rather than via a keyboard or mouse. +HED_0012292 Engine 4 Device A motor is a machine designed to convert one or more forms of energy into mechanical energy. +HED_0012293 IO-device 4 Device Hardware used by a human (or other system) to communicate with a computer. +HED_0012294 Input-device 5 IO-device A piece of equipment used to provide data and control signals to an information processing system such as a computer or information appliance. +HED_0012295 Computer-mouse 6 Input-device A hand-held pointing device that detects two-dimensional motion relative to a surface. +HED_0012296 Mouse-button 7 Computer-mouse An electric switch on a computer mouse which can be pressed or clicked to select or interact with an element of a graphical user interface. +HED_0012297 Scroll-wheel 7 Computer-mouse A scroll wheel or mouse wheel is a wheel used for scrolling made of hard plastic with a rubbery surface usually located between the left and right mouse buttons and is positioned perpendicular to the mouse surface. +HED_0012298 Joystick 6 Input-device A control device that uses a movable handle to create two-axis input for a computer device. +HED_0012299 Keyboard 6 Input-device A device consisting of mechanical keys that are pressed to create input to a computer. +HED_0012300 Keyboard-key 7 Keyboard A button on a keyboard usually representing letters, numbers, functions, or symbols. +HED_0012301 Keyboard-key-# 8 Keyboard-key takesValue Value of a keyboard key. +HED_0012302 Keypad 6 Input-device A device consisting of keys, usually in a block arrangement, that provides limited input to a system. +HED_0012303 Keypad-key 7 Keypad A key on a separate section of a computer keyboard that groups together numeric keys and those for mathematical or other special functions in an arrangement like that of a calculator. +HED_0012304 Keypad-key-# 8 Keypad-key takesValue Value of keypad key. +HED_0012305 Microphone 6 Input-device A device designed to convert sound to an electrical signal. +HED_0012306 Push-button 6 Input-device A switch designed to be operated by pressing a button. +HED_0012307 Output-device 5 IO-device Any piece of computer hardware equipment which converts information into human understandable form. +HED_0012308 Auditory-device 6 Output-device A device designed to produce sound. +HED_0012309 Headphones 7 Auditory-device An instrument that consists of a pair of small loudspeakers, or less commonly a single speaker, held close to ears and connected to a signal source such as an audio amplifier, radio, CD player or portable media player. +HED_0012310 Loudspeaker 7 Auditory-device A device designed to convert electrical signals to sounds that can be heard. +HED_0012311 Display-device 6 Output-device An output device for presentation of information in visual or tactile form the latter used for example in tactile electronic displays for blind people. +HED_0012312 Computer-screen 7 Display-device An electronic device designed as a display or a physical device designed to be a protective mesh work. +HED_0012313 Screen-window 8 Computer-screen A part of a computer screen that contains a display different from the rest of the screen. A window is a graphical control element consisting of a visual area containing some of the graphical user interface of the program it belongs to and is framed by a window decoration. +HED_0012314 Head-mounted-display 7 Display-device An instrument that functions as a display device, worn on the head or as part of a helmet, that has a small display optic in front of one (monocular HMD) or each eye (binocular HMD). +HED_0012315 LED-display 7 Display-device A LED display is a flat panel display that uses an array of light-emitting diodes as pixels for a video display. +HED_0012316 Recording-device 5 IO-device A device that copies information in a signal into a persistent information bearer. +HED_0012317 EEG-recorder 6 Recording-device A device for recording electric currents in the brain using electrodes applied to the scalp, to the surface of the brain, or placed within the substance of the brain. +HED_0013225 EMG-recorder 6 Recording-device A device for recording electrical activity of muscles using electrodes on the body surface or within the muscular mass. +HED_0012318 File-storage 6 Recording-device A device for recording digital information to a permanent media. +HED_0012319 MEG-recorder 6 Recording-device A device for measuring the magnetic fields produced by electrical activity in the brain, usually conducted externally. +HED_0012320 Motion-capture 6 Recording-device A device for recording the movement of objects or people. +HED_0012321 Tape-recorder 6 Recording-device A device for recording and reproduction usually using magnetic tape for storage that can be saved and played back. +HED_0012322 Touchscreen 5 IO-device A control component that operates an electronic device by pressing the display on the screen. +HED_0012323 Machine 4 Device A human-made device that uses power to apply forces and control movement to perform an action. +HED_0012324 Measurement-device 4 Device A device that measures something. +HED_0012325 Clock 5 Measurement-device A device designed to indicate the time of day or to measure the time duration of an event or action. +HED_0012327 Robot 4 Device A mechanical device that sometimes resembles a living animal and is capable of performing a variety of often complex human tasks on command or by being programmed in advance. +HED_0012328 Tool 4 Device A component that is not part of a device but is designed to support its assembly or operation. +HED_0012329 Document 3 Man-made-object A physical object, or electronic counterpart, that is characterized by containing writing which is meant to be human-readable. +HED_0012330 Book 4 Document A volume made up of pages fastened along one edge and enclosed between protective covers. +HED_0012331 Letter 4 Document A written message addressed to a person or organization. +HED_0012332 Note 4 Document A brief written record. +HED_0012333 Notebook 4 Document A book for notes or memoranda. +HED_0012334 Questionnaire 4 Document A document consisting of questions and possibly responses, depending on whether it has been filled out. +HED_0012335 Furnishing 3 Man-made-object Furniture, fittings, and other decorative accessories, such as curtains and carpets, for a house or room. +HED_0012336 Manufactured-material 3 Man-made-object Substances created or extracted from raw materials. +HED_0012337 Ceramic 4 Manufactured-material A hard, brittle, heat-resistant and corrosion-resistant material made by shaping and then firing a nonmetallic mineral, such as clay, at a high temperature. +HED_0012338 Glass 4 Manufactured-material A brittle transparent solid with irregular atomic structure. +HED_0012339 Paper 4 Manufactured-material A thin sheet material produced by mechanically or chemically processing cellulose fibres derived from wood, rags, grasses or other vegetable sources in water. +HED_0012340 Plastic 4 Manufactured-material Various high-molecular-weight thermoplastic or thermo-setting polymers that are capable of being molded, extruded, drawn, or otherwise shaped and then hardened into a form. +HED_0012341 Steel 4 Manufactured-material An alloy made up of iron with typically a few tenths of a percent of carbon to improve its strength and fracture resistance compared to iron. +HED_0012342 Media 3 Man-made-object Media are audio/visual/audiovisual modes of communicating information for mass consumption. +HED_0012343 Media-clip 4 Media A short segment of media. +HED_0012344 Audio-clip 5 Media-clip A short segment of audio. +HED_0012345 Audiovisual-clip 5 Media-clip A short media segment containing both audio and video. +HED_0012346 Video-clip 5 Media-clip A short segment of video. +HED_0012347 Visualization 4 Media An planned process that creates images, diagrams or animations from the input data. +HED_0012348 Animation 5 Visualization A form of graphical illustration that changes with time to give a sense of motion or represent dynamic changes in the portrayal. +HED_0012349 Art-installation 5 Visualization A large-scale, mixed-media constructions, often designed for a specific place or for a temporary period of time. +HED_0012350 Braille 5 Visualization A display using a system of raised dots that can be read with the fingers by people who are blind. +HED_0012351 Image 5 Visualization Any record of an imaging event whether physical or electronic. +HED_0012352 Cartoon 6 Image A type of illustration, sometimes animated, typically in a non-realistic or semi-realistic style. The specific meaning has evolved over time, but the modern usage usually refers to either an image or series of images intended for satire, caricature, or humor. A motion picture that relies on a sequence of illustrations for its animation. +HED_0012353 Drawing 6 Image A representation of an object or outlining a figure, plan, or sketch by means of lines. +HED_0012354 Icon 6 Image A sign (such as a word or graphic symbol) whose form suggests its meaning. +HED_0012355 Painting 6 Image A work produced through the art of painting. +HED_0012356 Photograph 6 Image An image recorded by a camera. +HED_0012357 Movie 5 Visualization A sequence of images displayed in succession giving the illusion of continuous movement. +HED_0012358 Outline-visualization 5 Visualization A visualization consisting of a line or set of lines enclosing or indicating the shape of an object in a sketch or diagram. +HED_0012359 Point-light-visualization 5 Visualization A display in which action is depicted using a few points of light, often generated from discrete sensors in motion capture. +HED_0012360 Sculpture 5 Visualization A two- or three-dimensional representative or abstract forms, especially by carving stone or wood or by casting metal or plaster. +HED_0012361 Stick-figure-visualization 5 Visualization A drawing showing the head of a human being or animal as a circle and all other parts as straight lines. +HED_0012362 Navigational-object 3 Man-made-object An object whose purpose is to assist directed movement from one location to another. +HED_0012363 Path 4 Navigational-object A trodden way. A way or track laid down for walking or made by continual treading. +HED_0012364 Road 4 Navigational-object An open way for the passage of vehicles, persons, or animals on land. +HED_0012365 Lane 5 Road A defined path with physical dimensions through which an object or substance may traverse. +HED_0012366 Runway 4 Navigational-object A paved strip of ground on a landing field for the landing and takeoff of aircraft. +HED_0012367 Vehicle 3 Man-made-object A mobile machine which transports people or cargo. +HED_0012368 Aircraft 4 Vehicle A vehicle which is able to travel through air in an atmosphere. +HED_0012369 Bicycle 4 Vehicle A human-powered, pedal-driven, single-track vehicle, having two wheels attached to a frame, one behind the other. +HED_0012370 Boat 4 Vehicle A watercraft of any size which is able to float or plane on water. +HED_0012371 Car 4 Vehicle A wheeled motor vehicle used primarily for the transportation of human passengers. +HED_0012372 Cart 4 Vehicle A cart is a vehicle which has two wheels and is designed to transport human passengers or cargo. +HED_0012373 Tractor 4 Vehicle A mobile machine specifically designed to deliver a high tractive effort at slow speeds, and mainly used for the purposes of hauling a trailer or machinery used in agriculture or construction. +HED_0012374 Train 4 Vehicle A connected line of railroad cars with or without a locomotive. +HED_0012375 Truck 4 Vehicle A motor vehicle which, as its primary function, transports cargo rather than human passengers. +HED_0012376 Natural-object 2 Object Something that exists in or is produced by nature, and is not artificial or man-made. +HED_0012377 Mineral 3 Natural-object A solid, homogeneous, inorganic substance occurring in nature and having a definite chemical composition. +HED_0012378 Natural-feature 3 Natural-object A feature that occurs in nature. A prominent or identifiable aspect, region, or site of interest. +HED_0012379 Field 4 Natural-feature An unbroken expanse as of ice or grassland. +HED_0012380 Hill 4 Natural-feature A rounded elevation of limited extent rising above the surrounding land with local relief of less than 300m. +HED_0012381 Mountain 4 Natural-feature A landform that extends above the surrounding terrain in a limited area. +HED_0012382 River 4 Natural-feature A natural freshwater surface stream of considerable volume and a permanent or seasonal flow, moving in a definite channel toward a sea, lake, or another river. +HED_0012383 Waterfall 4 Natural-feature A sudden descent of water over a step or ledge in the bed of a river. +HED_0012384 Sound 1 Item Mechanical vibrations transmitted by an elastic medium. Something that can be heard. +HED_0012385 Environmental-sound 2 Sound Sounds occurring in the environment. An accumulation of noise pollution that occurs outside. This noise can be caused by transport, industrial, and recreational activities. +HED_0012386 Crowd-sound 3 Environmental-sound Noise produced by a mixture of sounds from a large group of people. +HED_0012387 Signal-noise 3 Environmental-sound Any part of a signal that is not the true or original signal but is introduced by the communication mechanism. +HED_0012388 Musical-sound 2 Sound Sound produced by continuous and regular vibrations, as opposed to noise. +HED_0012389 Instrument-sound 3 Musical-sound Sound produced by a musical instrument. +HED_0012390 Tone 3 Musical-sound A musical note, warble, or other sound used as a particular signal on a telephone or answering machine. +HED_0012391 Vocalized-sound 3 Musical-sound Musical sound produced by vocal cords in a biological agent. +HED_0012392 Named-animal-sound 2 Sound A sound recognizable as being associated with particular animals. +HED_0012393 Barking 3 Named-animal-sound Sharp explosive cries like sounds made by certain animals, especially a dog, fox, or seal. +HED_0012394 Bleating 3 Named-animal-sound Wavering cries like sounds made by a sheep, goat, or calf. +HED_0012395 Chirping 3 Named-animal-sound Short, sharp, high-pitched noises like sounds made by small birds or an insects. +HED_0012396 Crowing 3 Named-animal-sound Loud shrill sounds characteristic of roosters. +HED_0012397 Growling 3 Named-animal-sound Low guttural sounds like those that made in the throat by a hostile dog or other animal. +HED_0012398 Meowing 3 Named-animal-sound Vocalizations like those made by as those cats. These sounds have diverse tones and are sometimes chattered, murmured or whispered. The purpose can be assertive. +HED_0012399 Mooing 3 Named-animal-sound Deep vocal sounds like those made by a cow. +HED_0012400 Purring 3 Named-animal-sound Low continuous vibratory sound such as those made by cats. The sound expresses contentment. +HED_0012401 Roaring 3 Named-animal-sound Loud, deep, or harsh prolonged sounds such as those made by big cats and bears for long-distance communication and intimidation. +HED_0012402 Squawking 3 Named-animal-sound Loud, harsh noises such as those made by geese. +HED_0012403 Named-object-sound 2 Sound A sound identifiable as coming from a particular type of object. +HED_0012404 Alarm-sound 3 Named-object-sound A loud signal often loud continuous ringing to alert people to a problem or condition that requires urgent attention. +HED_0012405 Beep 3 Named-object-sound A short, single tone, that is typically high-pitched and generally made by a computer or other machine. +HED_0012406 Buzz 3 Named-object-sound A persistent vibratory sound often made by a buzzer device and used to indicate something incorrect. +HED_0012407 Click 3 Named-object-sound The sound made by a mechanical cash register, often to designate a reward. +HED_0012408 Ding 3 Named-object-sound A short ringing sound such as that made by a bell, often to indicate a correct response or the expiration of time. +HED_0012409 Horn-blow 3 Named-object-sound A loud sound made by forcing air through a sound device that funnels air to create the sound, often used to sound an alert. +HED_0012410 Ka-ching 3 Named-object-sound The sound made by a mechanical cash register, often to designate a reward. +HED_0012411 Siren 3 Named-object-sound A loud, continuous sound often varying in frequency designed to indicate an emergency. +HED_0012412 Property 0 HedTag extensionAllowed Something that pertains to a thing. A characteristic of some entity. A quality or feature regarded as a characteristic or inherent part of someone or something. HED attributes are adjectives or adverbs. HedTag and (extensionAllowed value true) and (inHedSchema some StandardSchema) +HED_0012413 Agent-property 1 Property Something that pertains to or describes an agent. +HED_0012414 Agent-state 2 Agent-property The state of the agent. +HED_0012415 Agent-cognitive-state 3 Agent-state The state of the cognitive processes or state of mind of the agent. +HED_0012416 Alert 4 Agent-cognitive-state Condition of heightened watchfulness or preparation for action. +HED_0012417 Anesthetized 4 Agent-cognitive-state Having lost sensation to pain or having senses dulled due to the effects of an anesthetic. +HED_0012418 Asleep 4 Agent-cognitive-state Having entered a periodic, readily reversible state of reduced awareness and metabolic activity, usually accompanied by physical relaxation and brain activity. +HED_0012419 Attentive 4 Agent-cognitive-state Concentrating and focusing mental energy on the task or surroundings. +HED_0012420 Awake 4 Agent-cognitive-state In a non sleeping state. +HED_0012421 Brain-dead 4 Agent-cognitive-state Characterized by the irreversible absence of cortical and brain stem functioning. +HED_0012422 Comatose 4 Agent-cognitive-state In a state of profound unconsciousness associated with markedly depressed cerebral activity. +HED_0012423 Distracted 4 Agent-cognitive-state Lacking in concentration because of being preoccupied. +HED_0012424 Drowsy 4 Agent-cognitive-state In a state of near-sleep, a strong desire for sleep, or sleeping for unusually long periods. +HED_0012425 Intoxicated 4 Agent-cognitive-state In a state with disturbed psychophysiological functions and responses as a result of administration or ingestion of a psychoactive substance. +HED_0012426 Locked-in 4 Agent-cognitive-state In a state of complete paralysis of all voluntary muscles except for the ones that control the movements of the eyes. +HED_0012427 Passive 4 Agent-cognitive-state Not responding or initiating an action in response to a stimulus. +HED_0012428 Resting 4 Agent-cognitive-state A state in which the agent is not exhibiting any physical exertion. +HED_0012429 Vegetative 4 Agent-cognitive-state A state of wakefulness and conscience, but (in contrast to coma) with involuntary opening of the eyes and movements (such as teeth grinding, yawning, or thrashing of the extremities). +HED_0012430 Agent-emotional-state 3 Agent-state The status of the general temperament and outlook of an agent. +HED_0012431 Angry 4 Agent-emotional-state Experiencing emotions characterized by marked annoyance or hostility. +HED_0012432 Aroused 4 Agent-emotional-state In a state reactive to stimuli leading to increased heart rate and blood pressure, sensory alertness, mobility and readiness to respond. +HED_0012433 Awed 4 Agent-emotional-state Filled with wonder. Feeling grand, sublime or powerful emotions characterized by a combination of joy, fear, admiration, reverence, and/or respect. +HED_0012434 Compassionate 4 Agent-emotional-state Feeling or showing sympathy and concern for others often evoked for a person who is in distress and associated with altruistic motivation. +HED_0012435 Content 4 Agent-emotional-state Feeling satisfaction with things as they are. +HED_0012436 Disgusted 4 Agent-emotional-state Feeling revulsion or profound disapproval aroused by something unpleasant or offensive. +HED_0012437 Emotionally-neutral 4 Agent-emotional-state Feeling neither satisfied nor dissatisfied. +HED_0012438 Empathetic 4 Agent-emotional-state Understanding and sharing the feelings of another. Being aware of, being sensitive to, and vicariously experiencing the feelings, thoughts, and experience of another. +HED_0012439 Excited 4 Agent-emotional-state Feeling great enthusiasm and eagerness. +HED_0012440 Fearful 4 Agent-emotional-state Feeling apprehension that one may be in danger. +HED_0012441 Frustrated 4 Agent-emotional-state Feeling annoyed as a result of being blocked, thwarted, disappointed or defeated. +HED_0012442 Grieving 4 Agent-emotional-state Feeling sorrow in response to loss, whether physical or abstract. +HED_0012443 Happy 4 Agent-emotional-state Feeling pleased and content. +HED_0012444 Jealous 4 Agent-emotional-state Feeling threatened by a rival in a relationship with another individual, in particular an intimate partner, usually involves feelings of threat, fear, suspicion, distrust, anxiety, anger, betrayal, and rejection. +HED_0012445 Joyful 4 Agent-emotional-state Feeling delight or intense happiness. +HED_0012446 Loving 4 Agent-emotional-state Feeling a strong positive emotion of affection and attraction. +HED_0012447 Relieved 4 Agent-emotional-state No longer feeling pain, distress,anxiety, or reassured. +HED_0012448 Sad 4 Agent-emotional-state Feeling grief or unhappiness. +HED_0012449 Stressed 4 Agent-emotional-state Experiencing mental or emotional strain or tension. +HED_0012450 Agent-physiological-state 3 Agent-state Having to do with the mechanical, physical, or biochemical function of an agent. +HED_0013226 Catamenial 4 Agent-physiological-state Related to menstruation. +HED_0013227 Fever 4 Agent-physiological-state relatedTag=Sick Body temperature above the normal range. Agent-physiological-state and (relatedTag some Sick) +HED_0012451 Healthy 4 Agent-physiological-state relatedTag=Sick Having no significant health-related issues. Agent-physiological-state and (relatedTag some Sick) +HED_0012452 Hungry 4 Agent-physiological-state relatedTag=Sated, relatedTag=Thirsty Being in a state of craving or desiring food. Agent-physiological-state and (relatedTag some Sated) and (relatedTag some Thirsty) +HED_0012453 Rested 4 Agent-physiological-state relatedTag=Tired Feeling refreshed and relaxed. Agent-physiological-state and (relatedTag some Tired) +HED_0012454 Sated 4 Agent-physiological-state relatedTag=Hungry Feeling full. Agent-physiological-state and (relatedTag some Hungry) +HED_0012455 Sick 4 Agent-physiological-state relatedTag=Healthy Being in a state of ill health, bodily malfunction, or discomfort. Agent-physiological-state and (relatedTag some Healthy) +HED_0012456 Thirsty 4 Agent-physiological-state relatedTag=Hungry Feeling a need to drink. Agent-physiological-state and (relatedTag some Hungry) +HED_0012457 Tired 4 Agent-physiological-state relatedTag=Rested Feeling in need of sleep or rest. Agent-physiological-state and (relatedTag some Rested) +HED_0012458 Agent-postural-state 3 Agent-state Pertaining to the position in which agent holds their body. +HED_0012459 Crouching 4 Agent-postural-state Adopting a position where the knees are bent and the upper body is brought forward and down, sometimes to avoid detection or to defend oneself. +HED_0012460 Eyes-closed 4 Agent-postural-state Keeping eyes closed with no blinking. +HED_0012461 Eyes-open 4 Agent-postural-state Keeping eyes open with occasional blinking. +HED_0012462 Kneeling 4 Agent-postural-state Positioned where one or both knees are on the ground. +HED_0012463 On-treadmill 4 Agent-postural-state Ambulation on an exercise apparatus with an endless moving belt to support moving in place. +HED_0012464 Prone 4 Agent-postural-state Positioned in a recumbent body position whereby the person lies on its stomach and faces downward. +HED_0012465 Seated-with-chin-rest 4 Agent-postural-state Using a device that supports the chin and head. +HED_0012466 Sitting 4 Agent-postural-state In a seated position. +HED_0012467 Standing 4 Agent-postural-state Assuming or maintaining an erect upright position. +HED_0012468 Agent-task-role 2 Agent-property The function or part that is ascribed to an agent in performing the task. +HED_0012469 Experiment-actor 3 Agent-task-role An agent who plays a predetermined role to create the experiment scenario. +HED_0012470 Experiment-controller 3 Agent-task-role An agent exerting control over some aspect of the experiment. +HED_0012471 Experiment-participant 3 Agent-task-role Someone who takes part in an activity related to an experiment. +HED_0012472 Experimenter 3 Agent-task-role Person who is the owner of the experiment and has its responsibility. +HED_0012473 Agent-trait 2 Agent-property A genetically, environmentally, or socially determined characteristic of an agent. +HED_0012474 Age 3 Agent-trait Length of time elapsed time since birth of the agent. +HED_0012475 Age-# 4 Age takesValue, valueClass=numericClass Age and (valueClass some numericClass) +HED_0012476 Agent-experience-level 3 Agent-trait Amount of skill or knowledge that the agent has as pertains to the task. +HED_0012477 Expert-level 4 Agent-experience-level relatedTag=Intermediate-experience-level, relatedTag=Novice-level Having comprehensive and authoritative knowledge of or skill in a particular area related to the task. Agent-experience-level and (relatedTag some Intermediate-experience-level) and (relatedTag some Novice-level) +HED_0012478 Intermediate-experience-level 4 Agent-experience-level relatedTag=Expert-level, relatedTag=Novice-level Having a moderate amount of knowledge or skill related to the task. Agent-experience-level and (relatedTag some Expert-level) and (relatedTag some Novice-level) +HED_0012479 Novice-level 4 Agent-experience-level relatedTag=Expert-level, relatedTag=Intermediate-experience-level Being inexperienced in a field or situation related to the task. Agent-experience-level and (relatedTag some Expert-level) and (relatedTag some Intermediate-experience-level) +HED_0012480 Ethnicity 3 Agent-trait Belong to a social group that has a common national or cultural tradition. Use with Label to avoid extension. +HED_0012481 Gender 3 Agent-trait Characteristics that are socially constructed, including norms, behaviors, and roles based on sex. +HED_0012482 Handedness 3 Agent-trait Individual preference for use of a hand, known as the dominant hand. +HED_0012483 Ambidextrous 4 Handedness Having no overall dominance in the use of right or left hand or foot in the performance of tasks that require one hand or foot. +HED_0012484 Left-handed 4 Handedness Preference for using the left hand or foot for tasks requiring the use of a single hand or foot. +HED_0012485 Right-handed 4 Handedness Preference for using the right hand or foot for tasks requiring the use of a single hand or foot. +HED_0012486 Race 3 Agent-trait Belonging to a group sharing physical or social qualities as defined within a specified society. Use with Label to avoid extension. +HED_0012487 Sex 3 Agent-trait Physical properties or qualities by which male is distinguished from female. +HED_0012488 Female 4 Sex Biological sex of an individual with female sexual organs such ova. +HED_0012489 Intersex 4 Sex Having genitalia and/or secondary sexual characteristics of indeterminate sex. +HED_0012490 Male 4 Sex Biological sex of an individual with male sexual organs producing sperm. +HED_0012491 Other-sex 4 Sex A non-specific designation of sexual traits. +HED_0012492 Data-property 1 Property extensionAllowed Something that pertains to data or information. Property and (extensionAllowed value true) +HED_0012493 Data-artifact 2 Data-property An anomalous, interfering, or distorting signal originating from a source other than the item being studied. +HED_0012494 Biological-artifact 3 Data-artifact A data artifact arising from a biological entity being measured. +HED_0012495 Chewing-artifact 4 Biological-artifact Artifact from moving the jaw in a chewing motion. +HED_0012496 ECG-artifact 4 Biological-artifact An electrical artifact from the far-field potential from pulsation of the heart, time locked to QRS complex. +HED_0012497 EMG-artifact 4 Biological-artifact Artifact from muscle activity and myogenic potentials at the measurements site. In EEG, myogenic potentials are the most common artifacts. Frontalis and temporalis muscles (e.g. clenching of jaw muscles) are common causes. Generally, the potentials generated in the muscles are of shorter duration than those generated in the brain. The frequency components are usually beyond 30-50 Hz, and the bursts are arrhythmic. +HED_0012498 Eye-artifact 4 Biological-artifact Ocular movements and blinks can result in artifacts in different types of data. In electrophysiology data, these can result transients and offsets the signal. +HED_0012499 Eye-blink-artifact 5 Eye-artifact Artifact from eye blinking. In EEG, Fp1/Fp2 electrodes become electro-positive with eye closure because the cornea is positively charged causing a negative deflection in Fp1/Fp2. If the eye blink is unilateral, consider prosthetic eye. +HED_0012500 Eye-movement-artifact 5 Eye-artifact Eye movements can cause artifacts on recordings. The charge of the eye can especially cause artifacts in electrophysiology data. +HED_0012501 Horizontal-eye-movement-artifact 6 Eye-movement-artifact Artifact from moving eyes left-to-right and right-to-left. In EEG, there is an upward deflection in the Fp2-F8 derivation, when the eyes move to the right side. In this case F8 becomes more positive and therefore. When the eyes move to the left, F7 becomes more positive and there is an upward deflection in the Fp1-F7 derivation. +HED_0012502 Nystagmus-artifact 6 Eye-movement-artifact Artifact from nystagmus (a vision condition in which the eyes make repetitive, uncontrolled movements). +HED_0012503 Slow-eye-movement-artifact 6 Eye-movement-artifact Artifacts originating from slow, rolling eye-movements, seen during drowsiness. +HED_0012504 Vertical-eye-movement-artifact 6 Eye-movement-artifact Artifact from moving eyes up and down. In EEG, this causes positive potentials (50-100 micro V) with bi-frontal distribution, maximum at Fp1 and Fp2, when the eyeball rotates upward. The downward rotation of the eyeball is associated with the negative deflection. The time course of the deflections is similar to the time course of the eyeball movement. +HED_0012505 Movement-artifact 4 Biological-artifact Artifact in the measured data generated by motion of the subject. +HED_0012506 Pulse-artifact 4 Biological-artifact A mechanical artifact from a pulsating blood vessel near a measurement site, cardio-ballistic artifact. +HED_0012507 Respiration-artifact 4 Biological-artifact Artifact from breathing. +HED_0012508 Rocking-patting-artifact 4 Biological-artifact Quasi-rhythmical artifacts in recordings most commonly seen in infants. Typically caused by a caregiver rocking or patting the infant. +HED_0012509 Sucking-artifact 4 Biological-artifact Artifact from sucking, typically seen in very young cases. +HED_0012510 Sweat-artifact 4 Biological-artifact Artifact from sweating. In EEG, this is a low amplitude undulating waveform that is usually greater than 2 seconds and may appear to be an unstable baseline. +HED_0012511 Tongue-movement-artifact 4 Biological-artifact Artifact from tongue movement (Glossokinetic). The tongue functions as a dipole, with the tip negative with respect to the base. In EEG, the artifact produced by the tongue has a broad potential field that drops from frontal to occipital areas, although it is less steep than that produced by eye movement artifacts. The amplitude of the potentials is greater inferiorly than in parasagittal regions; the frequency is variable but usually in the delta range. Chewing and sucking can produce similar artifacts. +HED_0012512 Nonbiological-artifact 3 Data-artifact A data artifact arising from a non-biological source. +HED_0012513 Artificial-ventilation-artifact 4 Nonbiological-artifact Artifact stemming from mechanical ventilation. These can occur at the same rate as the ventilator, but also have other patterns. +HED_0012514 Dialysis-artifact 4 Nonbiological-artifact Artifacts seen in recordings during continuous renal replacement therapy (dialysis). +HED_0012515 Electrode-movement-artifact 4 Nonbiological-artifact Artifact from electrode movement. +HED_0012516 Electrode-pops-artifact 4 Nonbiological-artifact Brief artifact with a steep rise and slow fall of an electrophysiological signal, most often caused by a loose electrode. +HED_0012517 Induction-artifact 4 Nonbiological-artifact Artifacts induced by nearby equipment. In EEG, these are usually of high frequency. +HED_0012518 Line-noise-artifact 4 Nonbiological-artifact Power line noise at 50 Hz or 60 Hz. +HED_0012519 Line-noise-artifact-# 5 Line-noise-artifact takesValue, valueClass=numericClass, unitClass=frequencyUnits Line-noise-artifact and (valueClass some numericClass) and (unitClass some frequencyUnits) +HED_0012520 Salt-bridge-artifact 4 Nonbiological-artifact Artifact from salt-bridge between EEG electrodes. +HED_0012521 Data-marker 2 Data-property An indicator placed to mark something. +HED_0012522 Data-break-marker 3 Data-marker An indicator place to indicate a gap in the data. +HED_0012523 Temporal-marker 3 Data-marker An indicator placed at a particular time in the data. +HED_0012524 Inset 4 Temporal-marker topLevelTagGroup, reserved, relatedTag=Onset, relatedTag=Offset Marks an intermediate point in an ongoing event of temporal extent. Temporal-marker and (topLevelTagGroup value true) and (reserved value true) and (relatedTag some Onset) and (relatedTag some Offset) +HED_0012525 Offset 4 Temporal-marker topLevelTagGroup, reserved, relatedTag=Onset, relatedTag=Inset Marks the end of an event of temporal extent. Temporal-marker and (topLevelTagGroup value true) and (reserved value true) and (relatedTag some Onset) and (relatedTag some Inset) +HED_0012526 Onset 4 Temporal-marker topLevelTagGroup, reserved, relatedTag=Inset, relatedTag=Offset Marks the start of an ongoing event of temporal extent. Temporal-marker and (topLevelTagGroup value true) and (reserved value true) and (relatedTag some Inset) and (relatedTag some Offset) +HED_0012527 Pause 4 Temporal-marker Indicates the temporary interruption of the operation of a process and subsequently a wait for a signal to continue. +HED_0012528 Time-out 4 Temporal-marker A cancellation or cessation that automatically occurs when a predefined interval of time has passed without a certain event occurring. +HED_0012529 Time-sync 4 Temporal-marker A synchronization signal whose purpose is to help synchronize different signals or processes. Often used to indicate a marker inserted into the recorded data to allow post hoc synchronization of concurrently recorded data streams. +HED_0012530 Data-resolution 2 Data-property Smallest change in a quality being measured by an sensor that causes a perceptible change. +HED_0012531 Printer-resolution 3 Data-resolution Resolution of a printer, usually expressed as the number of dots-per-inch for a printer. +HED_0012532 Printer-resolution-# 4 Printer-resolution takesValue, valueClass=numericClass Printer-resolution and (valueClass some numericClass) +HED_0012533 Screen-resolution 3 Data-resolution Resolution of a screen, usually expressed as the of pixels in a dimension for a digital display device. +HED_0012534 Screen-resolution-# 4 Screen-resolution takesValue, valueClass=numericClass Screen-resolution and (valueClass some numericClass) +HED_0012535 Sensory-resolution 3 Data-resolution Resolution of measurements by a sensing device. +HED_0012536 Sensory-resolution-# 4 Sensory-resolution takesValue, valueClass=numericClass Sensory-resolution and (valueClass some numericClass) +HED_0012537 Spatial-resolution 3 Data-resolution Linear spacing of a spatial measurement. +HED_0012538 Spatial-resolution-# 4 Spatial-resolution takesValue, valueClass=numericClass Spatial-resolution and (valueClass some numericClass) +HED_0012539 Spectral-resolution 3 Data-resolution Measures the ability of a sensor to resolve features in the electromagnetic spectrum. +HED_0012540 Spectral-resolution-# 4 Spectral-resolution takesValue, valueClass=numericClass Spectral-resolution and (valueClass some numericClass) +HED_0012541 Temporal-resolution 3 Data-resolution Measures the ability of a sensor to resolve features in time. +HED_0012542 Temporal-resolution-# 4 Temporal-resolution takesValue, valueClass=numericClass Temporal-resolution and (valueClass some numericClass) +HED_0012543 Data-source-type 2 Data-property The type of place, person, or thing from which the data comes or can be obtained. +HED_0012544 Computed-feature 3 Data-source-type A feature computed from the data by a tool. This tag should be grouped with a label of the form Toolname_propertyName. +HED_0012545 Computed-prediction 3 Data-source-type A computed extrapolation of known data. +HED_0012546 Expert-annotation 3 Data-source-type An explanatory or critical comment or other in-context information provided by an authority. +HED_0012547 Instrument-measurement 3 Data-source-type Information obtained from a device that is used to measure material properties or make other observations. +HED_0012548 Observation 3 Data-source-type Active acquisition of information from a primary source. Should be grouped with a label of the form AgentID_featureName. +HED_0012549 Data-value 2 Data-property Designation of the type of a data item. +HED_0012550 Categorical-value 3 Data-value Indicates that something can take on a limited and usually fixed number of possible values. +HED_0012551 Categorical-class-value 4 Categorical-value Categorical values that fall into discrete classes such as true or false. The grouping is absolute in the sense that it is the same for all participants. +HED_0012552 All 5 Categorical-class-value relatedTag=Some, relatedTag=None To a complete degree or to the full or entire extent. Categorical-class-value and (relatedTag some Some) and (relatedTag some None) +HED_0012553 Correct 5 Categorical-class-value relatedTag=Wrong Free from error. Especially conforming to fact or truth. Categorical-class-value and (relatedTag some Wrong) +HED_0012554 Explicit 5 Categorical-class-value relatedTag=Implicit Stated clearly and in detail, leaving no room for confusion or doubt. Categorical-class-value and (relatedTag some Implicit) +HED_0012555 False 5 Categorical-class-value relatedTag=True Not in accordance with facts, reality or definitive criteria. Categorical-class-value and (relatedTag some True) +HED_0012556 Implicit 5 Categorical-class-value relatedTag=Explicit Implied though not plainly expressed. Categorical-class-value and (relatedTag some Explicit) +HED_0012557 Invalid 5 Categorical-class-value relatedTag=Valid Not allowed or not conforming to the correct format or specifications. Categorical-class-value and (relatedTag some Valid) +HED_0012558 None 5 Categorical-class-value relatedTag=All, relatedTag=Some No person or thing, nobody, not any. Categorical-class-value and (relatedTag some All) and (relatedTag some Some) +HED_0012559 Some 5 Categorical-class-value relatedTag=All, relatedTag=None At least a small amount or number of, but not a large amount of, or often. Categorical-class-value and (relatedTag some All) and (relatedTag some None) +HED_0012560 True 5 Categorical-class-value relatedTag=False Conforming to facts, reality or definitive criteria. Categorical-class-value and (relatedTag some False) +HED_0012561 Unknown 5 Categorical-class-value relatedTag=Invalid The information has not been provided. Categorical-class-value and (relatedTag some Invalid) +HED_0012562 Valid 5 Categorical-class-value relatedTag=Invalid Allowable, usable, or acceptable. Categorical-class-value and (relatedTag some Invalid) +HED_0012563 Wrong 5 Categorical-class-value relatedTag=Correct Inaccurate or not correct. Categorical-class-value and (relatedTag some Correct) +HED_0012564 Categorical-judgment-value 4 Categorical-value Categorical values that are based on the judgment or perception of the participant such familiar and famous. +HED_0012565 Abnormal 5 Categorical-judgment-value relatedTag=Normal Deviating in any way from the state, position, structure, condition, behavior, or rule which is considered a norm. Categorical-judgment-value and (relatedTag some Normal) +HED_0012566 Asymmetrical 5 Categorical-judgment-value relatedTag=Symmetrical Lacking symmetry or having parts that fail to correspond to one another in shape, size, or arrangement. Categorical-judgment-value and (relatedTag some Symmetrical) +HED_0012567 Audible 5 Categorical-judgment-value relatedTag=Inaudible A sound that can be perceived by the participant. Categorical-judgment-value and (relatedTag some Inaudible) +HED_0012568 Complex 5 Categorical-judgment-value relatedTag=Simple Hard, involved or complicated, elaborate, having many parts. Categorical-judgment-value and (relatedTag some Simple) +HED_0012569 Congruent 5 Categorical-judgment-value relatedTag=Incongruent Concordance of multiple evidence lines. In agreement or harmony. Categorical-judgment-value and (relatedTag some Incongruent) +HED_0012570 Constrained 5 Categorical-judgment-value relatedTag=Unconstrained Keeping something within particular limits or bounds. Categorical-judgment-value and (relatedTag some Unconstrained) +HED_0012571 Disordered 5 Categorical-judgment-value relatedTag=Ordered Not neatly arranged. Confused and untidy. A structural quality in which the parts of an object are non-rigid. Categorical-judgment-value and (relatedTag some Ordered) +HED_0012572 Familiar 5 Categorical-judgment-value relatedTag=Unfamiliar, relatedTag=Famous Recognized, familiar, or within the scope of knowledge. Categorical-judgment-value and (relatedTag some Unfamiliar) and (relatedTag some Famous) +HED_0012573 Famous 5 Categorical-judgment-value relatedTag=Familiar, relatedTag=Unfamiliar A person who has a high degree of recognition by the general population for his or her success or accomplishments. A famous person. Categorical-judgment-value and (relatedTag some Familiar) and (relatedTag some Unfamiliar) +HED_0012574 Inaudible 5 Categorical-judgment-value relatedTag=Audible A sound below the threshold of perception of the participant. Categorical-judgment-value and (relatedTag some Audible) +HED_0012575 Incongruent 5 Categorical-judgment-value relatedTag=Congruent Not in agreement or harmony. Categorical-judgment-value and (relatedTag some Congruent) +HED_0012576 Involuntary 5 Categorical-judgment-value relatedTag=Voluntary An action that is not made by choice. In the body, involuntary actions (such as blushing) occur automatically, and cannot be controlled by choice. Categorical-judgment-value and (relatedTag some Voluntary) +HED_0012577 Masked 5 Categorical-judgment-value relatedTag=Unmasked Information exists but is not provided or is partially obscured due to security,privacy, or other concerns. Categorical-judgment-value and (relatedTag some Unmasked) +HED_0012578 Normal 5 Categorical-judgment-value relatedTag=Abnormal Being approximately average or within certain limits. Conforming with or constituting a norm or standard or level or type or social norm. Categorical-judgment-value and (relatedTag some Abnormal) +HED_0012579 Ordered 5 Categorical-judgment-value relatedTag=Disordered Conforming to a logical or comprehensible arrangement of separate elements. Categorical-judgment-value and (relatedTag some Disordered) +HED_0012580 Simple 5 Categorical-judgment-value relatedTag=Complex Easily understood or presenting no difficulties. Categorical-judgment-value and (relatedTag some Complex) +HED_0012581 Symmetrical 5 Categorical-judgment-value relatedTag=Asymmetrical Made up of exactly similar parts facing each other or around an axis. Showing aspects of symmetry. Categorical-judgment-value and (relatedTag some Asymmetrical) +HED_0012582 Unconstrained 5 Categorical-judgment-value relatedTag=Constrained Moving without restriction. Categorical-judgment-value and (relatedTag some Constrained) +HED_0012583 Unfamiliar 5 Categorical-judgment-value relatedTag=Familiar, relatedTag=Famous Not having knowledge or experience of. Categorical-judgment-value and (relatedTag some Familiar) and (relatedTag some Famous) +HED_0012584 Unmasked 5 Categorical-judgment-value relatedTag=Masked Information is revealed. Categorical-judgment-value and (relatedTag some Masked) +HED_0012585 Voluntary 5 Categorical-judgment-value relatedTag=Involuntary Using free will or design; not forced or compelled; controlled by individual volition. Categorical-judgment-value and (relatedTag some Involuntary) +HED_0012586 Categorical-level-value 4 Categorical-value Categorical values based on dividing a continuous variable into levels such as high and low. +HED_0012587 Cold 5 Categorical-level-value relatedTag=Hot Having an absence of heat. Categorical-level-value and (relatedTag some Hot) +HED_0012588 Deep 5 Categorical-level-value relatedTag=Shallow Extending relatively far inward or downward. Categorical-level-value and (relatedTag some Shallow) +HED_0012589 High 5 Categorical-level-value relatedTag=Low, relatedTag=Medium Having a greater than normal degree, intensity, or amount. Categorical-level-value and (relatedTag some Low) and (relatedTag some Medium) +HED_0012590 Hot 5 Categorical-level-value relatedTag=Cold Having an excess of heat. Categorical-level-value and (relatedTag some Cold) +HED_0012591 Large 5 Categorical-level-value relatedTag=Small Having a great extent such as in physical dimensions, period of time, amplitude or frequency. Categorical-level-value and (relatedTag some Small) +HED_0012592 Liminal 5 Categorical-level-value relatedTag=Subliminal, relatedTag=Supraliminal Situated at a sensory threshold that is barely perceptible or capable of eliciting a response. Categorical-level-value and (relatedTag some Subliminal) and (relatedTag some Supraliminal) +HED_0012593 Loud 5 Categorical-level-value relatedTag=Quiet Having a perceived high intensity of sound. Categorical-level-value and (relatedTag some Quiet) +HED_0012594 Low 5 Categorical-level-value relatedTag=High Less than normal in degree, intensity or amount. Categorical-level-value and (relatedTag some High) +HED_0012595 Medium 5 Categorical-level-value relatedTag=Low, relatedTag=High Mid-way between small and large in number, quantity, magnitude or extent. Categorical-level-value and (relatedTag some Low) and (relatedTag some High) +HED_0012596 Negative 5 Categorical-level-value relatedTag=Positive Involving disadvantage or harm. Categorical-level-value and (relatedTag some Positive) +HED_0012597 Positive 5 Categorical-level-value relatedTag=Negative Involving advantage or good. Categorical-level-value and (relatedTag some Negative) +HED_0012598 Quiet 5 Categorical-level-value relatedTag=Loud Characterizing a perceived low intensity of sound. Categorical-level-value and (relatedTag some Loud) +HED_0012599 Rough 5 Categorical-level-value relatedTag=Smooth Having a surface with perceptible bumps, ridges, or irregularities. Categorical-level-value and (relatedTag some Smooth) +HED_0012600 Shallow 5 Categorical-level-value relatedTag=Deep Having a depth which is relatively low. Categorical-level-value and (relatedTag some Deep) +HED_0012601 Small 5 Categorical-level-value relatedTag=Large Having a small extent such as in physical dimensions, period of time, amplitude or frequency. Categorical-level-value and (relatedTag some Large) +HED_0012602 Smooth 5 Categorical-level-value relatedTag=Rough Having a surface free from bumps, ridges, or irregularities. Categorical-level-value and (relatedTag some Rough) +HED_0012603 Subliminal 5 Categorical-level-value relatedTag=Liminal, relatedTag=Supraliminal Situated below a sensory threshold that is imperceptible or not capable of eliciting a response. Categorical-level-value and (relatedTag some Liminal) and (relatedTag some Supraliminal) +HED_0012604 Supraliminal 5 Categorical-level-value relatedTag=Liminal, relatedTag=Subliminal Situated above a sensory threshold that is perceptible or capable of eliciting a response. Categorical-level-value and (relatedTag some Liminal) and (relatedTag some Subliminal) +HED_0012605 Thick 5 Categorical-level-value relatedTag=Thin Wide in width, extent or cross-section. Categorical-level-value and (relatedTag some Thin) +HED_0012606 Thin 5 Categorical-level-value relatedTag=Thick Narrow in width, extent or cross-section. Categorical-level-value and (relatedTag some Thick) +HED_0012607 Categorical-location-value 4 Categorical-value Value indicating the location of something, primarily as an identifier rather than an expression of where the item is relative to something else. +HED_0012608 Anterior 5 Categorical-location-value Relating to an item on the front of an agent body (from the point of view of the agent) or on the front of an object from the point of view of an agent. This pertains to the identity of an agent or a thing. +HED_0012609 Lateral 5 Categorical-location-value Identifying the portion of an object away from the midline, particularly applied to the (anterior-posterior, superior-inferior) surface of a brain. +HED_0012610 Left 5 Categorical-location-value Relating to an item on the left side of an agent body (from the point of view of the agent) or the left side of an object from the point of view of an agent. This pertains to the identity of an agent or a thing, for example (Left, Hand) as an identifier for the left hand. HED spatial relations should be used for relative positions such as (Hand, (Left-side-of, Keyboard)), which denotes the hand placed on the left side of the keyboard, which could be either the identified left hand or right hand. +HED_0012611 Medial 5 Categorical-location-value Identifying the portion of an object towards the center, particularly applied to the (anterior-posterior, superior-inferior) surface of a brain. +HED_0012612 Posterior 5 Categorical-location-value Relating to an item on the back of an agent body (from the point of view of the agent) or on the back of an object from the point of view of an agent. This pertains to the identity of an agent or a thing. +HED_0012613 Right 5 Categorical-location-value Relating to an item on the right side of an agent body (from the point of view of the agent) or the right side of an object from the point of view of an agent. This pertains to the identity of an agent or a thing, for example (Right, Hand) as an identifier for the right hand. HED spatial relations should be used for relative positions such as (Hand, (Right-side-of, Keyboard)), which denotes the hand placed on the right side of the keyboard, which could be either the identified left hand or right hand. +HED_0012614 Categorical-orientation-value 4 Categorical-value Value indicating the orientation or direction of something. +HED_0012615 Backward 5 Categorical-orientation-value relatedTag=Forward Directed behind or to the rear. Categorical-orientation-value and (relatedTag some Forward) +HED_0012616 Downward 5 Categorical-orientation-value relatedTag=Leftward, relatedTag=Rightward, relatedTag=Upward Moving or leading toward a lower place or level. Categorical-orientation-value and (relatedTag some Leftward) and (relatedTag some Rightward) and (relatedTag some Upward) +HED_0012617 Forward 5 Categorical-orientation-value relatedTag=Backward At or near or directed toward the front. Categorical-orientation-value and (relatedTag some Backward) +HED_0012618 Horizontally-oriented 5 Categorical-orientation-value relatedTag=Vertically-oriented Oriented parallel to or in the plane of the horizon. Categorical-orientation-value and (relatedTag some Vertically-oriented) +HED_0012619 Leftward 5 Categorical-orientation-value relatedTag=Downward, relatedTag=Rightward, relatedTag=Upward Going toward or facing the left. Categorical-orientation-value and (relatedTag some Downward) and (relatedTag some Rightward) and (relatedTag some Upward) +HED_0012620 Oblique 5 Categorical-orientation-value relatedTag=Rotated Slanting or inclined in direction, course, or position that is neither parallel nor perpendicular nor right-angular. Categorical-orientation-value and (relatedTag some Rotated) +HED_0012621 Rightward 5 Categorical-orientation-value relatedTag=Downward, relatedTag=Leftward, relatedTag=Upward Going toward or situated on the right. Categorical-orientation-value and (relatedTag some Downward) and (relatedTag some Leftward) and (relatedTag some Upward) +HED_0012622 Rotated 5 Categorical-orientation-value Positioned offset around an axis or center. +HED_0012623 Upward 5 Categorical-orientation-value relatedTag=Downward, relatedTag=Leftward, relatedTag=Rightward Moving, pointing, or leading to a higher place, point, or level. Categorical-orientation-value and (relatedTag some Downward) and (relatedTag some Leftward) and (relatedTag some Rightward) +HED_0012624 Vertically-oriented 5 Categorical-orientation-value relatedTag=Horizontally-oriented Oriented perpendicular to the plane of the horizon. Categorical-orientation-value and (relatedTag some Horizontally-oriented) +HED_0012625 Physical-value 3 Data-value The value of some physical property of something. +HED_0012626 Temperature 4 Physical-value A measure of hot or cold based on the average kinetic energy of the atoms or molecules in the system. +HED_0012627 Temperature-# 5 Temperature takesValue, valueClass=numericClass, unitClass=temperatureUnits Temperature and (valueClass some numericClass) and (unitClass some temperatureUnits) +HED_0012628 Weight 4 Physical-value The relative mass or the quantity of matter contained by something. +HED_0012629 Weight-# 5 Weight takesValue, valueClass=numericClass, unitClass=weightUnits Weight and (valueClass some numericClass) and (unitClass some weightUnits) +HED_0012630 Quantitative-value 3 Data-value Something capable of being estimated or expressed with numeric values. +HED_0012631 Fraction 4 Quantitative-value A numerical value between 0 and 1. +HED_0012632 Fraction-# 5 Fraction takesValue, valueClass=numericClass Fraction and (valueClass some numericClass) +HED_0012633 Item-count 4 Quantitative-value The integer count of something which is usually grouped with the entity it is counting. (Item-count/3, A) indicates that 3 of A have occurred up to this point. +HED_0012634 Item-count-# 5 Item-count takesValue, valueClass=numericClass Item-count and (valueClass some numericClass) +HED_0012635 Item-index 4 Quantitative-value The index of an item in a collection, sequence or other structure. (A (Item-index/3, B)) means that A is item number 3 in B. +HED_0012636 Item-index-# 5 Item-index takesValue, valueClass=numericClass Item-index and (valueClass some numericClass) +HED_0012637 Item-interval 4 Quantitative-value An integer indicating how many items or entities have passed since the last one of these. An item interval of 0 indicates the current item. +HED_0012638 Item-interval-# 5 Item-interval takesValue, valueClass=numericClass Item-interval and (valueClass some numericClass) +HED_0012639 Percentage 4 Quantitative-value A fraction or ratio with 100 understood as the denominator. +HED_0012640 Percentage-# 5 Percentage takesValue, valueClass=numericClass Percentage and (valueClass some numericClass) +HED_0012641 Ratio 4 Quantitative-value A quotient of quantities of the same kind for different components within the same system. +HED_0012642 Ratio-# 5 Ratio takesValue, valueClass=numericClass Ratio and (valueClass some numericClass) +HED_0012643 Spatiotemporal-value 3 Data-value A property relating to space and/or time. +HED_0012644 Rate-of-change 4 Spatiotemporal-value The amount of change accumulated per unit time. +HED_0012645 Acceleration 5 Rate-of-change Magnitude of the rate of change in either speed or direction. The direction of change should be given separately. +HED_0012646 Acceleration-# 6 Acceleration takesValue, valueClass=numericClass, unitClass=accelerationUnits Acceleration and (valueClass some numericClass) and (unitClass some accelerationUnits) +HED_0012647 Frequency 5 Rate-of-change Frequency is the number of occurrences of a repeating event per unit time. +HED_0012648 Frequency-# 6 Frequency takesValue, valueClass=numericClass, unitClass=frequencyUnits Frequency and (valueClass some numericClass) and (unitClass some frequencyUnits) +HED_0012649 Jerk-rate 5 Rate-of-change Magnitude of the rate at which the acceleration of an object changes with respect to time. The direction of change should be given separately. +HED_0012650 Jerk-rate-# 6 Jerk-rate takesValue, valueClass=numericClass, unitClass=jerkUnits Jerk-rate and (valueClass some numericClass) and (unitClass some jerkUnits) +HED_0012651 Refresh-rate 5 Rate-of-change The frequency with which the image on a computer monitor or similar electronic display screen is refreshed, usually expressed in hertz. +HED_0012652 Refresh-rate-# 6 Refresh-rate takesValue, valueClass=numericClass Refresh-rate and (valueClass some numericClass) +HED_0012653 Sampling-rate 5 Rate-of-change The number of digital samples taken or recorded per unit of time. +HED_0012654 Sampling-rate-# 6 Sampling-rate takesValue, unitClass=frequencyUnits Sampling-rate and (unitClass some frequencyUnits) +HED_0012655 Speed 5 Rate-of-change A scalar measure of the rate of movement of the object expressed either as the distance traveled divided by the time taken (average speed) or the rate of change of position with respect to time at a particular point (instantaneous speed). The direction of change should be given separately. +HED_0012656 Speed-# 6 Speed takesValue, valueClass=numericClass, unitClass=speedUnits Speed and (valueClass some numericClass) and (unitClass some speedUnits) +HED_0012657 Temporal-rate 5 Rate-of-change The number of items per unit of time. +HED_0012658 Temporal-rate-# 6 Temporal-rate takesValue, valueClass=numericClass, unitClass=frequencyUnits Temporal-rate and (valueClass some numericClass) and (unitClass some frequencyUnits) +HED_0012659 Spatial-value 4 Spatiotemporal-value Value of an item involving space. +HED_0012660 Angle 5 Spatial-value The amount of inclination of one line to another or the plane of one object to another. +HED_0012661 Angle-# 6 Angle takesValue, unitClass=angleUnits, valueClass=numericClass Angle and (unitClass some angleUnits) and (valueClass some numericClass) +HED_0012662 Distance 5 Spatial-value A measure of the space separating two objects or points. +HED_0012663 Distance-# 6 Distance takesValue, valueClass=numericClass, unitClass=physicalLengthUnits Distance and (valueClass some numericClass) and (unitClass some physicalLengthUnits) +HED_0012664 Position 5 Spatial-value A reference to the alignment of an object, a particular situation or view of a situation, or the location of an object. Coordinates with respect a specified frame of reference or the default Screen-frame if no frame is given. +HED_0012326 Clock-face 6 Position deprecatedFrom=8.2.0 A location identifier based on clock-face numbering or anatomic subregion. Replaced by Clock-face-position. Position and (deprecatedFrom value "8.2.0") +HED_0013228 Clock-face-# 7 Clock-face deprecatedFrom=8.2.0, takesValue, valueClass=numericClass Clock-face and (deprecatedFrom value "8.2.0") and (valueClass some numericClass) +HED_0013229 Clock-face-position 6 Position A location identifier based on clock-face numbering or anatomic subregion. As an object, just use the tag Clock. +HED_0013230 Clock-face-position-# 7 Clock-face-position takesValue, valueClass=numericClass Clock-face-position and (valueClass some numericClass) +HED_0012665 X-position 6 Position The position along the x-axis of the frame of reference. +HED_0012666 X-position-# 7 X-position takesValue, valueClass=numericClass, unitClass=physicalLengthUnits X-position and (valueClass some numericClass) and (unitClass some physicalLengthUnits) +HED_0012667 Y-position 6 Position The position along the y-axis of the frame of reference. +HED_0012668 Y-position-# 7 Y-position takesValue, valueClass=numericClass, unitClass=physicalLengthUnits Y-position and (valueClass some numericClass) and (unitClass some physicalLengthUnits) +HED_0012669 Z-position 6 Position The position along the z-axis of the frame of reference. +HED_0012670 Z-position-# 7 Z-position takesValue, valueClass=numericClass, unitClass=physicalLengthUnits Z-position and (valueClass some numericClass) and (unitClass some physicalLengthUnits) +HED_0012671 Size 5 Spatial-value The physical magnitude of something. +HED_0012672 Area 6 Size The extent of a 2-dimensional surface enclosed within a boundary. +HED_0012673 Area-# 7 Area takesValue, valueClass=numericClass, unitClass=areaUnits Area and (valueClass some numericClass) and (unitClass some areaUnits) +HED_0012674 Depth 6 Size The distance from the surface of something especially from the perspective of looking from the front. +HED_0012675 Depth-# 7 Depth takesValue, valueClass=numericClass, unitClass=physicalLengthUnits Depth and (valueClass some numericClass) and (unitClass some physicalLengthUnits) +HED_0012676 Height 6 Size The vertical measurement or distance from the base to the top of an object. +HED_0012677 Height-# 7 Height takesValue, valueClass=numericClass, unitClass=physicalLengthUnits Height and (valueClass some numericClass) and (unitClass some physicalLengthUnits) +HED_0012678 Length 6 Size The linear extent in space from one end of something to the other end, or the extent of something from beginning to end. +HED_0012679 Length-# 7 Length takesValue, valueClass=numericClass, unitClass=physicalLengthUnits Length and (valueClass some numericClass) and (unitClass some physicalLengthUnits) +HED_0012680 Perimeter 6 Size The minimum length of paths enclosing a 2D shape. +HED_0012681 Perimeter-# 7 Perimeter takesValue, valueClass=numericClass, unitClass=physicalLengthUnits Perimeter and (valueClass some numericClass) and (unitClass some physicalLengthUnits) +HED_0012682 Radius 6 Size The distance of the line from the center of a circle or a sphere to its perimeter or outer surface, respectively. +HED_0012683 Radius-# 7 Radius takesValue, valueClass=numericClass, unitClass=physicalLengthUnits Radius and (valueClass some numericClass) and (unitClass some physicalLengthUnits) +HED_0012684 Volume 6 Size The amount of three dimensional space occupied by an object or the capacity of a space or container. +HED_0012685 Volume-# 7 Volume takesValue, valueClass=numericClass, unitClass=volumeUnits Volume and (valueClass some numericClass) and (unitClass some volumeUnits) +HED_0012686 Width 6 Size The extent or measurement of something from side to side. +HED_0012687 Width-# 7 Width takesValue, valueClass=numericClass, unitClass=physicalLengthUnits Width and (valueClass some numericClass) and (unitClass some physicalLengthUnits) +HED_0012688 Temporal-value 4 Spatiotemporal-value A characteristic of or relating to time or limited by time. +HED_0012689 Delay 5 Temporal-value topLevelTagGroup, reserved, requireChild, relatedTag=Duration The time at which an event start time is delayed from the current onset time. This tag defines the start time of an event of temporal extent and may be used with the Duration tag. Temporal-value and (topLevelTagGroup value true) and (reserved value true) and (relatedTag some Duration) +HED_0012690 Delay-# 6 Delay takesValue, valueClass=numericClass, unitClass=timeUnits Delay and (valueClass some numericClass) and (unitClass some timeUnits) +HED_0012691 Duration 5 Temporal-value topLevelTagGroup, reserved, requireChild, relatedTag=Delay The period of time during which an event occurs. This tag defines the end time of an event of temporal extent and may be used with the Delay tag. Temporal-value and (topLevelTagGroup value true) and (reserved value true) and (relatedTag some Delay) +HED_0012692 Duration-# 6 Duration takesValue, valueClass=numericClass, unitClass=timeUnits Duration and (valueClass some numericClass) and (unitClass some timeUnits) +HED_0012693 Time-interval 5 Temporal-value The period of time separating two instances, events, or occurrences. +HED_0012694 Time-interval-# 6 Time-interval takesValue, valueClass=numericClass, unitClass=timeUnits Time-interval and (valueClass some numericClass) and (unitClass some timeUnits) +HED_0012695 Time-value 5 Temporal-value A value with units of time. Usually grouped with tags identifying what the value represents. +HED_0012696 Time-value-# 6 Time-value takesValue, valueClass=numericClass, unitClass=timeUnits Time-value and (valueClass some numericClass) and (unitClass some timeUnits) +HED_0012697 Statistical-value 3 Data-value extensionAllowed A value based on or employing the principles of statistics. Data-value and (extensionAllowed value true) +HED_0012698 Data-maximum 4 Statistical-value The largest possible quantity or degree. +HED_0012699 Data-maximum-# 5 Data-maximum takesValue, valueClass=numericClass Data-maximum and (valueClass some numericClass) +HED_0012700 Data-mean 4 Statistical-value The sum of a set of values divided by the number of values in the set. +HED_0012701 Data-mean-# 5 Data-mean takesValue, valueClass=numericClass Data-mean and (valueClass some numericClass) +HED_0012702 Data-median 4 Statistical-value The value which has an equal number of values greater and less than it. +HED_0012703 Data-median-# 5 Data-median takesValue, valueClass=numericClass Data-median and (valueClass some numericClass) +HED_0012704 Data-minimum 4 Statistical-value The smallest possible quantity. +HED_0012705 Data-minimum-# 5 Data-minimum takesValue, valueClass=numericClass Data-minimum and (valueClass some numericClass) +HED_0012706 Probability 4 Statistical-value A measure of the expectation of the occurrence of a particular event. +HED_0012707 Probability-# 5 Probability takesValue, valueClass=numericClass Probability and (valueClass some numericClass) +HED_0012708 Standard-deviation 4 Statistical-value A measure of the range of values in a set of numbers. Standard deviation is a statistic used as a measure of the dispersion or variation in a distribution, equal to the square root of the arithmetic mean of the squares of the deviations from the arithmetic mean. +HED_0012709 Standard-deviation-# 5 Standard-deviation takesValue, valueClass=numericClass Standard-deviation and (valueClass some numericClass) +HED_0012710 Statistical-accuracy 4 Statistical-value A measure of closeness to true value expressed as a number between 0 and 1. +HED_0012711 Statistical-accuracy-# 5 Statistical-accuracy takesValue, valueClass=numericClass Statistical-accuracy and (valueClass some numericClass) +HED_0012712 Statistical-precision 4 Statistical-value A quantitative representation of the degree of accuracy necessary for or associated with a particular action. +HED_0012713 Statistical-precision-# 5 Statistical-precision takesValue, valueClass=numericClass Statistical-precision and (valueClass some numericClass) +HED_0012714 Statistical-recall 4 Statistical-value Sensitivity is a measurement datum qualifying a binary classification test and is computed by subtracting the false negative rate to the integral numeral 1. +HED_0012715 Statistical-recall-# 5 Statistical-recall takesValue, valueClass=numericClass Statistical-recall and (valueClass some numericClass) +HED_0012716 Statistical-uncertainty 4 Statistical-value A measure of the inherent variability of repeated observation measurements of a quantity including quantities evaluated by statistical methods and by other means. +HED_0012717 Statistical-uncertainty-# 5 Statistical-uncertainty takesValue, valueClass=numericClass Statistical-uncertainty and (valueClass some numericClass) +HED_0012718 Data-variability-attribute 2 Data-property An attribute describing how something changes or varies. +HED_0012719 Abrupt 3 Data-variability-attribute Marked by sudden change. +HED_0012720 Constant 3 Data-variability-attribute Continually recurring or continuing without interruption. Not changing in time or space. +HED_0012721 Continuous 3 Data-variability-attribute relatedTag=Discrete, relatedTag=Discontinuous Uninterrupted in time, sequence, substance, or extent. Data-variability-attribute and (relatedTag some Discrete) and (relatedTag some Discontinuous) +HED_0012722 Decreasing 3 Data-variability-attribute relatedTag=Increasing Becoming smaller or fewer in size, amount, intensity, or degree. Data-variability-attribute and (relatedTag some Increasing) +HED_0012723 Deterministic 3 Data-variability-attribute relatedTag=Random, relatedTag=Stochastic No randomness is involved in the development of the future states of the element. Data-variability-attribute and (relatedTag some Random) and (relatedTag some Stochastic) +HED_0012724 Discontinuous 3 Data-variability-attribute relatedTag=Continuous Having a gap in time, sequence, substance, or extent. Data-variability-attribute and (relatedTag some Continuous) +HED_0012725 Discrete 3 Data-variability-attribute relatedTag=Continuous, relatedTag=Discontinuous Constituting a separate entities or parts. Data-variability-attribute and (relatedTag some Continuous) and (relatedTag some Discontinuous) +HED_0012726 Estimated-value 3 Data-variability-attribute Something that has been calculated or measured approximately. +HED_0012727 Exact-value 3 Data-variability-attribute A value that is viewed to the true value according to some standard. +HED_0012728 Flickering 3 Data-variability-attribute Moving irregularly or unsteadily or burning or shining fitfully or with a fluctuating light. +HED_0012729 Fractal 3 Data-variability-attribute Having extremely irregular curves or shapes for which any suitably chosen part is similar in shape to a given larger or smaller part when magnified or reduced to the same size. +HED_0012730 Increasing 3 Data-variability-attribute relatedTag=Decreasing Becoming greater in size, amount, or degree. Data-variability-attribute and (relatedTag some Decreasing) +HED_0012731 Random 3 Data-variability-attribute relatedTag=Deterministic, relatedTag=Stochastic Governed by or depending on chance. Lacking any definite plan or order or purpose. Data-variability-attribute and (relatedTag some Deterministic) and (relatedTag some Stochastic) +HED_0012732 Repetitive 3 Data-variability-attribute A recurring action that is often non-purposeful. +HED_0012733 Stochastic 3 Data-variability-attribute relatedTag=Deterministic, relatedTag=Random Uses a random probability distribution or pattern that may be analyzed statistically but may not be predicted precisely to determine future states. Data-variability-attribute and (relatedTag some Deterministic) and (relatedTag some Random) +HED_0012734 Varying 3 Data-variability-attribute Differing in size, amount, degree, or nature. +HED_0012735 Environmental-property 1 Property Relating to or arising from the surroundings of an agent. +HED_0012736 Augmented-reality 2 Environmental-property Using technology that enhances real-world experiences with computer-derived digital overlays to change some aspects of perception of the natural environment. The digital content is shown to the user through a smart device or glasses and responds to changes in the environment. +HED_0012737 Indoors 2 Environmental-property Located inside a building or enclosure. +HED_0012738 Motion-platform 2 Environmental-property A mechanism that creates the feelings of being in a real motion environment. +HED_0012739 Outdoors 2 Environmental-property Any area outside a building or shelter. +HED_0012740 Real-world 2 Environmental-property Located in a place that exists in real space and time under realistic conditions. +HED_0012741 Rural 2 Environmental-property Of or pertaining to the country as opposed to the city. +HED_0012742 Terrain 2 Environmental-property Characterization of the physical features of a tract of land. +HED_0012743 Composite-terrain 3 Terrain Tracts of land characterized by a mixture of physical features. +HED_0012744 Dirt-terrain 3 Terrain Tracts of land characterized by a soil surface and lack of vegetation. +HED_0012745 Grassy-terrain 3 Terrain Tracts of land covered by grass. +HED_0012746 Gravel-terrain 3 Terrain Tracts of land covered by a surface consisting a loose aggregation of small water-worn or pounded stones. +HED_0012747 Leaf-covered-terrain 3 Terrain Tracts of land covered by leaves and composited organic material. +HED_0012748 Muddy-terrain 3 Terrain Tracts of land covered by a liquid or semi-liquid mixture of water and some combination of soil, silt, and clay. +HED_0012749 Paved-terrain 3 Terrain Tracts of land covered with concrete, asphalt, stones, or bricks. +HED_0012750 Rocky-terrain 3 Terrain Tracts of land consisting or full of rock or rocks. +HED_0012751 Sloped-terrain 3 Terrain Tracts of land arranged in a sloping or inclined position. +HED_0012752 Uneven-terrain 3 Terrain Tracts of land that are not level, smooth, or regular. +HED_0012753 Urban 2 Environmental-property Relating to, located in, or characteristic of a city or densely populated area. +HED_0012754 Virtual-world 2 Environmental-property Using technology that creates immersive, computer-generated experiences that a person can interact with and navigate through. The digital content is generally delivered to the user through some type of headset and responds to changes in head position or through interaction with other types of sensors. Existing in a virtual setting such as a simulation or game environment. +HED_0012755 Informational-property 1 Property extensionAllowed Something that pertains to a task. Property and (extensionAllowed value true) +HED_0012756 Description 2 Informational-property An explanation of what the tag group it is in means. If the description is at the top-level of an event string, the description applies to the event. +HED_0012757 Description-# 3 Description takesValue, valueClass=textClass Description and (valueClass some textClass) +HED_0012758 ID 2 Informational-property An alphanumeric name that identifies either a unique object or a unique class of objects. Here the object or class may be an idea, physical countable object (or class), or physical uncountable substance (or class). +HED_0012759 ID-# 3 ID takesValue, valueClass=textClass ID and (valueClass some textClass) +HED_0012760 Label 2 Informational-property A string of 20 or fewer characters identifying something. Labels usually refer to general classes of things while IDs refer to specific instances. A term that is associated with some entity. A brief description given for purposes of identification. An identifying or descriptive marker that is attached to an object. +HED_0012761 Label-# 3 Label takesValue, valueClass=nameClass Label and (valueClass some nameClass) +HED_0012762 Metadata 2 Informational-property Data about data. Information that describes another set of data. +HED_0012763 Creation-date 3 Metadata The date on which the creation of this item began. +HED_0012764 Creation-date-# 4 Creation-date takesValue, valueClass=dateTimeClass Creation-date and (valueClass some dateTimeClass) +HED_0012765 Experimental-note 3 Metadata A brief written record about the experiment. +HED_0012766 Experimental-note-# 4 Experimental-note takesValue, valueClass=textClass Experimental-note and (valueClass some textClass) +HED_0012767 Library-name 3 Metadata Official name of a HED library. +HED_0012768 Library-name-# 4 Library-name takesValue, valueClass=nameClass Library-name and (valueClass some nameClass) +HED_0012769 Metadata-identifier 3 Metadata Identifier (usually unique) from another metadata source. +HED_0012770 CogAtlas 4 Metadata-identifier The Cognitive Atlas ID number of something. +HED_0012771 CogAtlas-# 5 CogAtlas takesValue +HED_0012772 CogPo 4 Metadata-identifier The CogPO ID number of something. +HED_0012773 CogPo-# 5 CogPo takesValue +HED_0012774 DOI 4 Metadata-identifier Digital object identifier for an object. +HED_0012775 DOI-# 5 DOI takesValue +HED_0012776 OBO-identifier 4 Metadata-identifier The identifier of a term in some Open Biology Ontology (OBO) ontology. +HED_0012777 OBO-identifier-# 5 OBO-identifier takesValue, valueClass=nameClass OBO-identifier and (valueClass some nameClass) +HED_0012778 Species-identifier 4 Metadata-identifier A binomial species name from the NCBI Taxonomy, for example, homo sapiens, mus musculus, or rattus norvegicus. +HED_0012779 Species-identifier-# 5 Species-identifier takesValue +HED_0012780 Subject-identifier 4 Metadata-identifier A sequence of characters used to identify, name, or characterize a trial or study subject. +HED_0012781 Subject-identifier-# 5 Subject-identifier takesValue +HED_0012782 UUID 4 Metadata-identifier A unique universal identifier. +HED_0012783 UUID-# 5 UUID takesValue +HED_0012784 Version-identifier 4 Metadata-identifier An alphanumeric character string that identifies a form or variant of a type or original. +HED_0012785 Version-identifier-# 5 Version-identifier takesValue Usually is a semantic version. +HED_0012786 Modified-date 3 Metadata The date on which the item was modified (usually the last-modified data unless a complete record of dated modifications is kept. +HED_0012787 Modified-date-# 4 Modified-date takesValue, valueClass=dateTimeClass Modified-date and (valueClass some dateTimeClass) +HED_0012788 Pathname 3 Metadata The specification of a node (file or directory) in a hierarchical file system, usually specified by listing the nodes top-down. +HED_0012789 Pathname-# 4 Pathname takesValue +HED_0012790 URL 3 Metadata A valid URL. +HED_0012791 URL-# 4 URL takesValue +HED_0012792 Parameter 2 Informational-property Something user-defined for this experiment. +HED_0012793 Parameter-label 3 Parameter The name of the parameter. +HED_0012794 Parameter-label-# 4 Parameter-label takesValue, valueClass=nameClass Parameter-label and (valueClass some nameClass) +HED_0012795 Parameter-value 3 Parameter The value of the parameter. +HED_0012796 Parameter-value-# 4 Parameter-value takesValue, valueClass=textClass Parameter-value and (valueClass some textClass) +HED_0012797 Organizational-property 1 Property Relating to an organization or the action of organizing something. +HED_0012798 Collection 2 Organizational-property reserved A tag designating a grouping of items such as in a set or list. Organizational-property and (reserved value true) +HED_0012799 Collection-# 3 Collection takesValue, valueClass=nameClass Name of the collection. Collection and (valueClass some nameClass) +HED_0012800 Condition-variable 2 Organizational-property reserved An aspect of the experiment or task that is to be varied during the experiment. Task-conditions are sometimes called independent variables or contrasts. Organizational-property and (reserved value true) +HED_0012801 Condition-variable-# 3 Condition-variable takesValue, valueClass=nameClass Name of the condition variable. Condition-variable and (valueClass some nameClass) +HED_0012802 Control-variable 2 Organizational-property reserved An aspect of the experiment that is fixed throughout the study and usually is explicitly controlled. Organizational-property and (reserved value true) +HED_0012803 Control-variable-# 3 Control-variable takesValue, valueClass=nameClass Name of the control variable. Control-variable and (valueClass some nameClass) +HED_0012804 Def 2 Organizational-property requireChild, reserved A HED-specific utility tag used with a defined name to represent the tags associated with that definition. Organizational-property and (reserved value true) +HED_0012805 Def-# 3 Def takesValue, valueClass=nameClass Name of the definition. Def and (valueClass some nameClass) +HED_0012806 Def-expand 2 Organizational-property requireChild, reserved, tagGroup A HED specific utility tag that is grouped with an expanded definition. The child value of the Def-expand is the name of the expanded definition. Organizational-property and (reserved value true) and (tagGroup value true) +HED_0012807 Def-expand-# 3 Def-expand takesValue, valueClass=nameClass Def-expand and (valueClass some nameClass) +HED_0012808 Definition 2 Organizational-property requireChild, reserved, topLevelTagGroup A HED-specific utility tag whose child value is the name of the concept and the tag group associated with the tag is an English language explanation of a concept. Organizational-property and (reserved value true) and (topLevelTagGroup value true) +HED_0012809 Definition-# 3 Definition takesValue, valueClass=nameClass Name of the definition. Definition and (valueClass some nameClass) +HED_0012810 Event-context 2 Organizational-property reserved, topLevelTagGroup, unique A special HED tag inserted as part of a top-level tag group to contain information about the interrelated conditions under which the event occurs. The event context includes information about other events that are ongoing when this event happens. Organizational-property and (reserved value true) and (topLevelTagGroup value true) and (unique value true) +HED_0012811 Event-stream 2 Organizational-property reserved A special HED tag indicating that this event is a member of an ordered succession of events. Organizational-property and (reserved value true) +HED_0012812 Event-stream-# 3 Event-stream takesValue, valueClass=nameClass Name of the event stream. Event-stream and (valueClass some nameClass) +HED_0012813 Experimental-intertrial 2 Organizational-property reserved A tag used to indicate a part of the experiment between trials usually where nothing is happening. Organizational-property and (reserved value true) +HED_0012814 Experimental-intertrial-# 3 Experimental-intertrial takesValue, valueClass=nameClass Optional label for the intertrial block. Experimental-intertrial and (valueClass some nameClass) +HED_0012815 Experimental-trial 2 Organizational-property reserved Designates a run or execution of an activity, for example, one execution of a script. A tag used to indicate a particular organizational part in the experimental design often containing a stimulus-response pair or stimulus-response-feedback triad. Organizational-property and (reserved value true) +HED_0012816 Experimental-trial-# 3 Experimental-trial takesValue, valueClass=nameClass Optional label for the trial (often a numerical string). Experimental-trial and (valueClass some nameClass) +HED_0012817 Indicator-variable 2 Organizational-property reserved An aspect of the experiment or task that is measured as task conditions are varied during the experiment. Experiment indicators are sometimes called dependent variables. Organizational-property and (reserved value true) +HED_0012818 Indicator-variable-# 3 Indicator-variable takesValue, valueClass=nameClass Name of the indicator variable. Indicator-variable and (valueClass some nameClass) +HED_0012819 Recording 2 Organizational-property reserved A tag designating the data recording. Recording tags are usually have temporal scope which is the entire recording. Organizational-property and (reserved value true) +HED_0012820 Recording-# 3 Recording takesValue, valueClass=nameClass Optional label for the recording. Recording and (valueClass some nameClass) +HED_0012821 Task 2 Organizational-property reserved An assigned piece of work, usually with a time allotment. A tag used to indicate a linkage the structured activities performed as part of the experiment. Organizational-property and (reserved value true) +HED_0012822 Task-# 3 Task takesValue, valueClass=nameClass Optional label for the task block. Task and (valueClass some nameClass) +HED_0012823 Time-block 2 Organizational-property reserved A tag used to indicate a contiguous time block in the experiment during which something is fixed or noted. Organizational-property and (reserved value true) +HED_0012824 Time-block-# 3 Time-block takesValue, valueClass=nameClass Optional label for the task block. Time-block and (valueClass some nameClass) +HED_0012825 Sensory-property 1 Property Relating to sensation or the physical senses. +HED_0012826 Sensory-attribute 2 Sensory-property A sensory characteristic associated with another entity. +HED_0012827 Auditory-attribute 3 Sensory-attribute Pertaining to the sense of hearing. +HED_0012828 Loudness 4 Auditory-attribute Perceived intensity of a sound. +HED_0012829 Loudness-# 5 Loudness takesValue, valueClass=numericClass, valueClass=nameClass Loudness and (valueClass some numericClass) and (valueClass some nameClass) +HED_0012830 Pitch 4 Auditory-attribute A perceptual property that allows the user to order sounds on a frequency scale. +HED_0012831 Pitch-# 5 Pitch takesValue, valueClass=numericClass, unitClass=frequencyUnits Pitch and (valueClass some numericClass) and (unitClass some frequencyUnits) +HED_0012832 Sound-envelope 4 Auditory-attribute Description of how a sound changes over time. +HED_0012833 Sound-envelope-attack 5 Sound-envelope The time taken for initial run-up of level from nil to peak usually beginning when the key on a musical instrument is pressed. +HED_0012834 Sound-envelope-attack-# 6 Sound-envelope-attack takesValue, valueClass=numericClass, unitClass=timeUnits Sound-envelope-attack and (valueClass some numericClass) and (unitClass some timeUnits) +HED_0012835 Sound-envelope-decay 5 Sound-envelope The time taken for the subsequent run down from the attack level to the designated sustain level. +HED_0012836 Sound-envelope-decay-# 6 Sound-envelope-decay takesValue, valueClass=numericClass, unitClass=timeUnits Sound-envelope-decay and (valueClass some numericClass) and (unitClass some timeUnits) +HED_0012837 Sound-envelope-release 5 Sound-envelope The time taken for the level to decay from the sustain level to zero after the key is released. +HED_0012838 Sound-envelope-release-# 6 Sound-envelope-release takesValue, valueClass=numericClass, unitClass=timeUnits Sound-envelope-release and (valueClass some numericClass) and (unitClass some timeUnits) +HED_0012839 Sound-envelope-sustain 5 Sound-envelope The time taken for the main sequence of the sound duration, until the key is released. +HED_0012840 Sound-envelope-sustain-# 6 Sound-envelope-sustain takesValue, valueClass=numericClass, unitClass=timeUnits Sound-envelope-sustain and (valueClass some numericClass) and (unitClass some timeUnits) +HED_0012841 Sound-volume 4 Auditory-attribute The sound pressure level (SPL) usually the ratio to a reference signal estimated as the lower bound of hearing. +HED_0012842 Sound-volume-# 5 Sound-volume takesValue, valueClass=numericClass, unitClass=intensityUnits Sound-volume and (valueClass some numericClass) and (unitClass some intensityUnits) +HED_0012843 Timbre 4 Auditory-attribute The perceived sound quality of a singing voice or musical instrument. +HED_0012844 Timbre-# 5 Timbre takesValue, valueClass=nameClass Timbre and (valueClass some nameClass) +HED_0012845 Gustatory-attribute 3 Sensory-attribute Pertaining to the sense of taste. +HED_0012846 Bitter 4 Gustatory-attribute Having a sharp, pungent taste. +HED_0012847 Salty 4 Gustatory-attribute Tasting of or like salt. +HED_0012848 Savory 4 Gustatory-attribute Belonging to a taste that is salty or spicy rather than sweet. +HED_0012849 Sour 4 Gustatory-attribute Having a sharp, acidic taste. +HED_0012850 Sweet 4 Gustatory-attribute Having or resembling the taste of sugar. +HED_0012851 Olfactory-attribute 3 Sensory-attribute Having a smell. +HED_0012852 Somatic-attribute 3 Sensory-attribute Pertaining to the feelings in the body or of the nervous system. +HED_0012853 Pain 4 Somatic-attribute The sensation of discomfort, distress, or agony, resulting from the stimulation of specialized nerve endings. +HED_0012854 Stress 4 Somatic-attribute The negative mental, emotional, and physical reactions that occur when environmental stressors are perceived as exceeding the adaptive capacities of the individual. +HED_0012855 Tactile-attribute 3 Sensory-attribute Pertaining to the sense of touch. +HED_0012856 Tactile-pressure 4 Tactile-attribute Having a feeling of heaviness. +HED_0012857 Tactile-temperature 4 Tactile-attribute Having a feeling of hotness or coldness. +HED_0012858 Tactile-texture 4 Tactile-attribute Having a feeling of roughness. +HED_0012859 Tactile-vibration 4 Tactile-attribute Having a feeling of mechanical oscillation. +HED_0012860 Vestibular-attribute 3 Sensory-attribute Pertaining to the sense of balance or body position. +HED_0012861 Visual-attribute 3 Sensory-attribute Pertaining to the sense of sight. +HED_0012862 Color 4 Visual-attribute The appearance of objects (or light sources) described in terms of perception of their hue and lightness (or brightness) and saturation. +HED_0012863 CSS-color 5 Color One of 140 colors supported by all browsers. For more details such as the color RGB or HEX values,check:https://www.w3schools.com/colors/colors_groups.asp. +HED_0012864 Blue-color 6 CSS-color CSS color group. +HED_0012865 Blue 7 Blue-color CSS-color 0x0000FF. +HED_0012866 CadetBlue 7 Blue-color CSS-color 0x5F9EA0. +HED_0012867 CornflowerBlue 7 Blue-color CSS-color 0x6495ED. +HED_0012868 DarkBlue 7 Blue-color CSS-color 0x00008B. +HED_0012869 DeepSkyBlue 7 Blue-color CSS-color 0x00BFFF. +HED_0012870 DodgerBlue 7 Blue-color CSS-color 0x1E90FF. +HED_0012871 LightBlue 7 Blue-color CSS-color 0xADD8E6. +HED_0012872 LightSkyBlue 7 Blue-color CSS-color 0x87CEFA. +HED_0012873 LightSteelBlue 7 Blue-color CSS-color 0xB0C4DE. +HED_0012874 MediumBlue 7 Blue-color CSS-color 0x0000CD. +HED_0012875 MidnightBlue 7 Blue-color CSS-color 0x191970. +HED_0012876 Navy 7 Blue-color CSS-color 0x000080. +HED_0012877 PowderBlue 7 Blue-color CSS-color 0xB0E0E6. +HED_0012878 RoyalBlue 7 Blue-color CSS-color 0x4169E1. +HED_0012879 SkyBlue 7 Blue-color CSS-color 0x87CEEB. +HED_0012880 SteelBlue 7 Blue-color CSS-color 0x4682B4. +HED_0012881 Brown-color 6 CSS-color CSS color group. +HED_0012882 Bisque 7 Brown-color CSS-color 0xFFE4C4. +HED_0012883 BlanchedAlmond 7 Brown-color CSS-color 0xFFEBCD. +HED_0012884 Brown 7 Brown-color CSS-color 0xA52A2A. +HED_0012885 BurlyWood 7 Brown-color CSS-color 0xDEB887. +HED_0012886 Chocolate 7 Brown-color CSS-color 0xD2691E. +HED_0012887 Cornsilk 7 Brown-color CSS-color 0xFFF8DC. +HED_0012888 DarkGoldenRod 7 Brown-color CSS-color 0xB8860B. +HED_0012889 GoldenRod 7 Brown-color CSS-color 0xDAA520. +HED_0012890 Maroon 7 Brown-color CSS-color 0x800000. +HED_0012891 NavajoWhite 7 Brown-color CSS-color 0xFFDEAD. +HED_0012892 Olive 7 Brown-color CSS-color 0x808000. +HED_0012893 Peru 7 Brown-color CSS-color 0xCD853F. +HED_0012894 RosyBrown 7 Brown-color CSS-color 0xBC8F8F. +HED_0012895 SaddleBrown 7 Brown-color CSS-color 0x8B4513. +HED_0012896 SandyBrown 7 Brown-color CSS-color 0xF4A460. +HED_0012897 Sienna 7 Brown-color CSS-color 0xA0522D. +HED_0012898 Tan 7 Brown-color CSS-color 0xD2B48C. +HED_0012899 Wheat 7 Brown-color CSS-color 0xF5DEB3. +HED_0012900 Cyan-color 6 CSS-color CSS color group. +HED_0012901 Aqua 7 Cyan-color CSS-color 0x00FFFF. +HED_0012902 Aquamarine 7 Cyan-color CSS-color 0x7FFFD4. +HED_0012903 Cyan 7 Cyan-color CSS-color 0x00FFFF. +HED_0012904 DarkTurquoise 7 Cyan-color CSS-color 0x00CED1. +HED_0012905 LightCyan 7 Cyan-color CSS-color 0xE0FFFF. +HED_0012906 MediumTurquoise 7 Cyan-color CSS-color 0x48D1CC. +HED_0012907 PaleTurquoise 7 Cyan-color CSS-color 0xAFEEEE. +HED_0012908 Turquoise 7 Cyan-color CSS-color 0x40E0D0. +HED_0012909 Gray-color 6 CSS-color CSS color group. +HED_0012910 Black 7 Gray-color CSS-color 0x000000. +HED_0012911 DarkGray 7 Gray-color CSS-color 0xA9A9A9. +HED_0012912 DarkSlateGray 7 Gray-color CSS-color 0x2F4F4F. +HED_0012913 DimGray 7 Gray-color CSS-color 0x696969. +HED_0012914 Gainsboro 7 Gray-color CSS-color 0xDCDCDC. +HED_0012915 Gray 7 Gray-color CSS-color 0x808080. +HED_0012916 LightGray 7 Gray-color CSS-color 0xD3D3D3. +HED_0012917 LightSlateGray 7 Gray-color CSS-color 0x778899. +HED_0012918 Silver 7 Gray-color CSS-color 0xC0C0C0. +HED_0012919 SlateGray 7 Gray-color CSS-color 0x708090. +HED_0012920 Green-color 6 CSS-color CSS color group. +HED_0012921 Chartreuse 7 Green-color CSS-color 0x7FFF00. +HED_0012922 DarkCyan 7 Green-color CSS-color 0x008B8B. +HED_0012923 DarkGreen 7 Green-color CSS-color 0x006400. +HED_0012924 DarkOliveGreen 7 Green-color CSS-color 0x556B2F. +HED_0012925 DarkSeaGreen 7 Green-color CSS-color 0x8FBC8F. +HED_0012926 ForestGreen 7 Green-color CSS-color 0x228B22. +HED_0012927 Green 7 Green-color CSS-color 0x008000. +HED_0012928 GreenYellow 7 Green-color CSS-color 0xADFF2F. +HED_0012929 LawnGreen 7 Green-color CSS-color 0x7CFC00. +HED_0012930 LightGreen 7 Green-color CSS-color 0x90EE90. +HED_0012931 LightSeaGreen 7 Green-color CSS-color 0x20B2AA. +HED_0012932 Lime 7 Green-color CSS-color 0x00FF00. +HED_0012933 LimeGreen 7 Green-color CSS-color 0x32CD32. +HED_0012934 MediumAquaMarine 7 Green-color CSS-color 0x66CDAA. +HED_0012935 MediumSeaGreen 7 Green-color CSS-color 0x3CB371. +HED_0012936 MediumSpringGreen 7 Green-color CSS-color 0x00FA9A. +HED_0012937 OliveDrab 7 Green-color CSS-color 0x6B8E23. +HED_0012938 PaleGreen 7 Green-color CSS-color 0x98FB98. +HED_0012939 SeaGreen 7 Green-color CSS-color 0x2E8B57. +HED_0012940 SpringGreen 7 Green-color CSS-color 0x00FF7F. +HED_0012941 Teal 7 Green-color CSS-color 0x008080. +HED_0012942 YellowGreen 7 Green-color CSS-color 0x9ACD32. +HED_0012943 Orange-color 6 CSS-color CSS color group. +HED_0012944 Coral 7 Orange-color CSS-color 0xFF7F50. +HED_0012945 DarkOrange 7 Orange-color CSS-color 0xFF8C00. +HED_0012946 Orange 7 Orange-color CSS-color 0xFFA500. +HED_0012947 OrangeRed 7 Orange-color CSS-color 0xFF4500. +HED_0012948 Tomato 7 Orange-color CSS-color 0xFF6347. +HED_0012949 Pink-color 6 CSS-color CSS color group. +HED_0012950 DeepPink 7 Pink-color CSS-color 0xFF1493. +HED_0012951 HotPink 7 Pink-color CSS-color 0xFF69B4. +HED_0012952 LightPink 7 Pink-color CSS-color 0xFFB6C1. +HED_0012953 MediumVioletRed 7 Pink-color CSS-color 0xC71585. +HED_0012954 PaleVioletRed 7 Pink-color CSS-color 0xDB7093. +HED_0012955 Pink 7 Pink-color CSS-color 0xFFC0CB. +HED_0012956 Purple-color 6 CSS-color CSS color group. +HED_0012957 BlueViolet 7 Purple-color CSS-color 0x8A2BE2. +HED_0012958 DarkMagenta 7 Purple-color CSS-color 0x8B008B. +HED_0012959 DarkOrchid 7 Purple-color CSS-color 0x9932CC. +HED_0012960 DarkSlateBlue 7 Purple-color CSS-color 0x483D8B. +HED_0012961 DarkViolet 7 Purple-color CSS-color 0x9400D3. +HED_0012962 Fuchsia 7 Purple-color CSS-color 0xFF00FF. +HED_0012963 Indigo 7 Purple-color CSS-color 0x4B0082. +HED_0012964 Lavender 7 Purple-color CSS-color 0xE6E6FA. +HED_0012965 Magenta 7 Purple-color CSS-color 0xFF00FF. +HED_0012966 MediumOrchid 7 Purple-color CSS-color 0xBA55D3. +HED_0012967 MediumPurple 7 Purple-color CSS-color 0x9370DB. +HED_0012968 MediumSlateBlue 7 Purple-color CSS-color 0x7B68EE. +HED_0012969 Orchid 7 Purple-color CSS-color 0xDA70D6. +HED_0012970 Plum 7 Purple-color CSS-color 0xDDA0DD. +HED_0012971 Purple 7 Purple-color CSS-color 0x800080. +HED_0012972 RebeccaPurple 7 Purple-color CSS-color 0x663399. +HED_0012973 SlateBlue 7 Purple-color CSS-color 0x6A5ACD. +HED_0012974 Thistle 7 Purple-color CSS-color 0xD8BFD8. +HED_0012975 Violet 7 Purple-color CSS-color 0xEE82EE. +HED_0012976 Red-color 6 CSS-color CSS color group. +HED_0012977 Crimson 7 Red-color CSS-color 0xDC143C. +HED_0012978 DarkRed 7 Red-color CSS-color 0x8B0000. +HED_0012979 DarkSalmon 7 Red-color CSS-color 0xE9967A. +HED_0012980 FireBrick 7 Red-color CSS-color 0xB22222. +HED_0012981 IndianRed 7 Red-color CSS-color 0xCD5C5C. +HED_0012982 LightCoral 7 Red-color CSS-color 0xF08080. +HED_0012983 LightSalmon 7 Red-color CSS-color 0xFFA07A. +HED_0012984 Red 7 Red-color CSS-color 0xFF0000. +HED_0012985 Salmon 7 Red-color CSS-color 0xFA8072. +HED_0012986 White-color 6 CSS-color CSS color group. +HED_0012987 AliceBlue 7 White-color CSS-color 0xF0F8FF. +HED_0012988 AntiqueWhite 7 White-color CSS-color 0xFAEBD7. +HED_0012989 Azure 7 White-color CSS-color 0xF0FFFF. +HED_0012990 Beige 7 White-color CSS-color 0xF5F5DC. +HED_0012991 FloralWhite 7 White-color CSS-color 0xFFFAF0. +HED_0012992 GhostWhite 7 White-color CSS-color 0xF8F8FF. +HED_0012993 HoneyDew 7 White-color CSS-color 0xF0FFF0. +HED_0012994 Ivory 7 White-color CSS-color 0xFFFFF0. +HED_0012995 LavenderBlush 7 White-color CSS-color 0xFFF0F5. +HED_0012996 Linen 7 White-color CSS-color 0xFAF0E6. +HED_0012997 MintCream 7 White-color CSS-color 0xF5FFFA. +HED_0012998 MistyRose 7 White-color CSS-color 0xFFE4E1. +HED_0012999 OldLace 7 White-color CSS-color 0xFDF5E6. +HED_0013000 SeaShell 7 White-color CSS-color 0xFFF5EE. +HED_0013001 Snow 7 White-color CSS-color 0xFFFAFA. +HED_0013002 White 7 White-color CSS-color 0xFFFFFF. +HED_0013003 WhiteSmoke 7 White-color CSS-color 0xF5F5F5. +HED_0013004 Yellow-color 6 CSS-color CSS color group. +HED_0013005 DarkKhaki 7 Yellow-color CSS-color 0xBDB76B. +HED_0013006 Gold 7 Yellow-color CSS-color 0xFFD700. +HED_0013007 Khaki 7 Yellow-color CSS-color 0xF0E68C. +HED_0013008 LemonChiffon 7 Yellow-color CSS-color 0xFFFACD. +HED_0013009 LightGoldenRodYellow 7 Yellow-color CSS-color 0xFAFAD2. +HED_0013010 LightYellow 7 Yellow-color CSS-color 0xFFFFE0. +HED_0013011 Moccasin 7 Yellow-color CSS-color 0xFFE4B5. +HED_0013012 PaleGoldenRod 7 Yellow-color CSS-color 0xEEE8AA. +HED_0013013 PapayaWhip 7 Yellow-color CSS-color 0xFFEFD5. +HED_0013014 PeachPuff 7 Yellow-color CSS-color 0xFFDAB9. +HED_0013015 Yellow 7 Yellow-color CSS-color 0xFFFF00. +HED_0013016 Color-shade 5 Color A slight degree of difference between colors, especially with regard to how light or dark it is or as distinguished from one nearly like it. +HED_0013017 Dark-shade 6 Color-shade A color tone not reflecting much light. +HED_0013018 Light-shade 6 Color-shade A color tone reflecting more light. +HED_0013019 Grayscale 5 Color Using a color map composed of shades of gray, varying from black at the weakest intensity to white at the strongest. +HED_0013020 Grayscale-# 6 Grayscale takesValue, valueClass=numericClass White intensity between 0 and 1. Grayscale and (valueClass some numericClass) +HED_0013021 HSV-color 5 Color A color representation that models how colors appear under light. +HED_0013022 HSV-value 6 HSV-color An attribute of a visual sensation according to which an area appears to emit more or less light. +HED_0013023 HSV-value-# 7 HSV-value takesValue, valueClass=numericClass HSV-value and (valueClass some numericClass) +HED_0013024 Hue 6 HSV-color Attribute of a visual sensation according to which an area appears to be similar to one of the perceived colors. +HED_0013025 Hue-# 7 Hue takesValue, valueClass=numericClass Angular value between 0 and 360. Hue and (valueClass some numericClass) +HED_0013026 Saturation 6 HSV-color Colorfulness of a stimulus relative to its own brightness. +HED_0013027 Saturation-# 7 Saturation takesValue, valueClass=numericClass B value of RGB between 0 and 1. Saturation and (valueClass some numericClass) +HED_0013028 RGB-color 5 Color A color from the RGB schema. +HED_0013029 RGB-blue 6 RGB-color The blue component. +HED_0013030 RGB-blue-# 7 RGB-blue takesValue, valueClass=numericClass B value of RGB between 0 and 1. RGB-blue and (valueClass some numericClass) +HED_0013031 RGB-green 6 RGB-color The green component. +HED_0013032 RGB-green-# 7 RGB-green takesValue, valueClass=numericClass G value of RGB between 0 and 1. RGB-green and (valueClass some numericClass) +HED_0013033 RGB-red 6 RGB-color The red component. +HED_0013034 RGB-red-# 7 RGB-red takesValue, valueClass=numericClass R value of RGB between 0 and 1. RGB-red and (valueClass some numericClass) +HED_0013035 Luminance 4 Visual-attribute A quality that exists by virtue of the luminous intensity per unit area projected in a given direction. +HED_0013036 Luminance-contrast 4 Visual-attribute suggestedTag=Percentage, suggestedTag=Ratio The difference in luminance in specific portions of a scene or image. Visual-attribute and (suggestedTag some Percentage) and (suggestedTag some Ratio) +HED_0013037 Luminance-contrast-# 5 Luminance-contrast takesValue, valueClass=numericClass A non-negative value, usually in the range 0 to 1 or alternative 0 to 100, if representing a percentage. Luminance-contrast and (valueClass some numericClass) +HED_0013038 Opacity 4 Visual-attribute A measure of impenetrability to light. +HED_0013039 Sensory-presentation 2 Sensory-property The entity has a sensory manifestation. +HED_0013040 Auditory-presentation 3 Sensory-presentation The sense of hearing is used in the presentation to the user. +HED_0013041 Loudspeaker-separation 4 Auditory-presentation suggestedTag=Distance The distance between two loudspeakers. Grouped with the Distance tag. Auditory-presentation and (suggestedTag some Distance) +HED_0013042 Monophonic 4 Auditory-presentation Relating to sound transmission, recording, or reproduction involving a single transmission path. +HED_0013043 Silent 4 Auditory-presentation The absence of ambient audible sound or the state of having ceased to produce sounds. +HED_0013044 Stereophonic 4 Auditory-presentation Relating to, or constituting sound reproduction involving the use of separated microphones and two transmission channels to achieve the sound separation of a live hearing. +HED_0013045 Gustatory-presentation 3 Sensory-presentation The sense of taste used in the presentation to the user. +HED_0013046 Olfactory-presentation 3 Sensory-presentation The sense of smell used in the presentation to the user. +HED_0013047 Somatic-presentation 3 Sensory-presentation The nervous system is used in the presentation to the user. +HED_0013048 Tactile-presentation 3 Sensory-presentation The sense of touch used in the presentation to the user. +HED_0013049 Vestibular-presentation 3 Sensory-presentation The sense balance used in the presentation to the user. +HED_0013050 Visual-presentation 3 Sensory-presentation The sense of sight used in the presentation to the user. +HED_0013051 2D-view 4 Visual-presentation A view showing only two dimensions. +HED_0013052 3D-view 4 Visual-presentation A view showing three dimensions. +HED_0013053 Background-view 4 Visual-presentation Parts of the view that are farthest from the viewer and usually the not part of the visual focus. +HED_0013054 Bistable-view 4 Visual-presentation Something having two stable visual forms that have two distinguishable stable forms as in optical illusions. +HED_0013055 Foreground-view 4 Visual-presentation Parts of the view that are closest to the viewer and usually the most important part of the visual focus. +HED_0013056 Foveal-view 4 Visual-presentation Visual presentation directly on the fovea. A view projected on the small depression in the retina containing only cones and where vision is most acute. +HED_0013057 Map-view 4 Visual-presentation A diagrammatic representation of an area of land or sea showing physical features, cities, roads. +HED_0013058 Aerial-view 5 Map-view Elevated view of an object from above, with a perspective as though the observer were a bird. +HED_0013059 Satellite-view 5 Map-view A representation as captured by technology such as a satellite. +HED_0013060 Street-view 5 Map-view A 360-degrees panoramic view from a position on the ground. +HED_0013061 Peripheral-view 4 Visual-presentation Indirect vision as it occurs outside the point of fixation. +HED_0013062 Task-property 1 Property extensionAllowed Something that pertains to a task. Property and (extensionAllowed value true) +HED_0013063 Task-action-type 2 Task-property How an agent action should be interpreted in terms of the task specification. +HED_0013064 Appropriate-action 3 Task-action-type relatedTag=Inappropriate-action An action suitable or proper in the circumstances. Task-action-type and (relatedTag some Inappropriate-action) +HED_0013065 Correct-action 3 Task-action-type relatedTag=Incorrect-action, relatedTag=Indeterminate-action An action that was a correct response in the context of the task. Task-action-type and (relatedTag some Incorrect-action) and (relatedTag some Indeterminate-action) +HED_0013066 Correction 3 Task-action-type An action offering an improvement to replace a mistake or error. +HED_0013067 Done-indication 3 Task-action-type relatedTag=Ready-indication An action that indicates that the participant has completed this step in the task. Task-action-type and (relatedTag some Ready-indication) +HED_0013068 Imagined-action 3 Task-action-type Form a mental image or concept of something. This is used to identity something that only happened in the imagination of the participant as in imagined movements in motor imagery paradigms. +HED_0013069 Inappropriate-action 3 Task-action-type relatedTag=Appropriate-action An action not in keeping with what is correct or proper for the task. Task-action-type and (relatedTag some Appropriate-action) +HED_0013070 Incorrect-action 3 Task-action-type relatedTag=Correct-action, relatedTag=Indeterminate-action An action considered wrong or incorrect in the context of the task. Task-action-type and (relatedTag some Correct-action) and (relatedTag some Indeterminate-action) +HED_0013071 Indeterminate-action 3 Task-action-type relatedTag=Correct-action, relatedTag=Incorrect-action, relatedTag=Miss, relatedTag=Near-miss An action that cannot be distinguished between two or more possibilities in the current context. This tag might be applied when an outside evaluator or a classification algorithm cannot determine a definitive result. Task-action-type and (relatedTag some Correct-action) and (relatedTag some Incorrect-action) and (relatedTag some Miss) and (relatedTag some Near-miss) +HED_0013072 Miss 3 Task-action-type relatedTag=Near-miss An action considered to be a failure in the context of the task. For example, if the agent is supposed to try to hit a target and misses. Task-action-type and (relatedTag some Near-miss) +HED_0013073 Near-miss 3 Task-action-type relatedTag=Miss An action barely satisfied the requirements of the task. In a driving experiment for example this could pertain to a narrowly avoided collision or other accident. Task-action-type and (relatedTag some Miss) +HED_0013074 Omitted-action 3 Task-action-type An expected response was skipped. +HED_0013075 Ready-indication 3 Task-action-type relatedTag=Done-indication An action that indicates that the participant is ready to perform the next step in the task. Task-action-type and (relatedTag some Done-indication) +HED_0013076 Task-attentional-demand 2 Task-property Strategy for allocating attention toward goal-relevant information. +HED_0013077 Bottom-up-attention 3 Task-attentional-demand relatedTag=Top-down-attention Attentional guidance purely by externally driven factors to stimuli that are salient because of their inherent properties relative to the background. Sometimes this is referred to as stimulus driven. Task-attentional-demand and (relatedTag some Top-down-attention) +HED_0013078 Covert-attention 3 Task-attentional-demand relatedTag=Overt-attention Paying attention without moving the eyes. Task-attentional-demand and (relatedTag some Overt-attention) +HED_0013079 Divided-attention 3 Task-attentional-demand relatedTag=Focused-attention Integrating parallel multiple stimuli. Behavior involving responding simultaneously to multiple tasks or multiple task demands. Task-attentional-demand and (relatedTag some Focused-attention) +HED_0013080 Focused-attention 3 Task-attentional-demand relatedTag=Divided-attention Responding discretely to specific visual, auditory, or tactile stimuli. Task-attentional-demand and (relatedTag some Divided-attention) +HED_0013081 Orienting-attention 3 Task-attentional-demand Directing attention to a target stimulus. +HED_0013082 Overt-attention 3 Task-attentional-demand relatedTag=Covert-attention Selectively processing one location over others by moving the eyes to point at that location. Task-attentional-demand and (relatedTag some Covert-attention) +HED_0013083 Selective-attention 3 Task-attentional-demand Maintaining a behavioral or cognitive set in the face of distracting or competing stimuli. Ability to pay attention to a limited array of all available sensory information. +HED_0013084 Sustained-attention 3 Task-attentional-demand Maintaining a consistent behavioral response during continuous and repetitive activity. +HED_0013085 Switched-attention 3 Task-attentional-demand Having to switch attention between two or more modalities of presentation. +HED_0013086 Top-down-attention 3 Task-attentional-demand relatedTag=Bottom-up-attention Voluntary allocation of attention to certain features. Sometimes this is referred to goal-oriented attention. Task-attentional-demand and (relatedTag some Bottom-up-attention) +HED_0013087 Task-effect-evidence 2 Task-property The evidence supporting the conclusion that the event had the specified effect. +HED_0013088 Behavioral-evidence 3 Task-effect-evidence An indication or conclusion based on the behavior of an agent. +HED_0013089 Computational-evidence 3 Task-effect-evidence A type of evidence in which data are produced, and/or generated, and/or analyzed on a computer. +HED_0013090 External-evidence 3 Task-effect-evidence A phenomenon that follows and is caused by some previous phenomenon. +HED_0013091 Intended-effect 3 Task-effect-evidence A phenomenon that is intended to follow and be caused by some previous phenomenon. +HED_0013092 Task-event-role 2 Task-property The purpose of an event with respect to the task. +HED_0013093 Experimental-stimulus 3 Task-event-role Part of something designed to elicit a response in the experiment. +HED_0013094 Incidental 3 Task-event-role A sensory or other type of event that is unrelated to the task or experiment. +HED_0013095 Instructional 3 Task-event-role Usually associated with a sensory event intended to give instructions to the participant about the task or behavior. +HED_0013096 Mishap 3 Task-event-role Unplanned disruption such as an equipment or experiment control abnormality or experimenter error. +HED_0013097 Participant-response 3 Task-event-role Something related to a participant actions in performing the task. +HED_0013098 Task-activity 3 Task-event-role Something that is part of the overall task or is necessary to the overall experiment but is not directly part of a stimulus-response cycle. Examples would be taking a survey or provided providing a silva sample. +HED_0013099 Warning 3 Task-event-role Something that should warn the participant that the parameters of the task have been or are about to be exceeded such as a warning message about getting too close to the shoulder of the road in a driving task. +HED_0013100 Task-relationship 2 Task-property Specifying organizational importance of sub-tasks. +HED_0013101 Background-subtask 3 Task-relationship A part of the task which should be performed in the background as for example inhibiting blinks due to instruction while performing the primary task. +HED_0013102 Primary-subtask 3 Task-relationship A part of the task which should be the primary focus of the participant. +HED_0013103 Task-stimulus-role 2 Task-property The role the stimulus plays in the task. +HED_0013104 Cue 3 Task-stimulus-role A signal for an action, a pattern of stimuli indicating a particular response. +HED_0013105 Distractor 3 Task-stimulus-role A person or thing that distracts or a plausible but incorrect option in a multiple-choice question. In psychological studies this is sometimes referred to as a foil. +HED_0013106 Expected 3 Task-stimulus-role relatedTag=Unexpected, suggestedTag=Target Considered likely, probable or anticipated. Something of low information value as in frequent non-targets in an RSVP paradigm. Task-stimulus-role and (relatedTag some Unexpected) and (suggestedTag some Target) +HED_0013107 Extraneous 3 Task-stimulus-role Irrelevant or unrelated to the subject being dealt with. +HED_0013108 Feedback 3 Task-stimulus-role An evaluative response to an inquiry, process, event, or activity. +HED_0013109 Go-signal 3 Task-stimulus-role relatedTag=Stop-signal An indicator to proceed with a planned action. Task-stimulus-role and (relatedTag some Stop-signal) +HED_0013110 Meaningful 3 Task-stimulus-role Conveying significant or relevant information. +HED_0013111 Newly-learned 3 Task-stimulus-role Representing recently acquired information or understanding. +HED_0013112 Non-informative 3 Task-stimulus-role Something that is not useful in forming an opinion or judging an outcome. +HED_0013113 Non-target 3 Task-stimulus-role relatedTag=Target Something other than that done or looked for. Also tag Expected if the Non-target is frequent. Task-stimulus-role and (relatedTag some Target) +HED_0013114 Not-meaningful 3 Task-stimulus-role Not having a serious, important, or useful quality or purpose. +HED_0013115 Novel 3 Task-stimulus-role Having no previous example or precedent or parallel. +HED_0013116 Oddball 3 Task-stimulus-role relatedTag=Unexpected, suggestedTag=Target Something unusual, or infrequent. Task-stimulus-role and (relatedTag some Unexpected) and (suggestedTag some Target) +HED_0013117 Penalty 3 Task-stimulus-role A disadvantage, loss, or hardship due to some action. +HED_0013118 Planned 3 Task-stimulus-role relatedTag=Unplanned Something that was decided on or arranged in advance. Task-stimulus-role and (relatedTag some Unplanned) +HED_0013119 Priming 3 Task-stimulus-role An implicit memory effect in which exposure to a stimulus influences response to a later stimulus. +HED_0013120 Query 3 Task-stimulus-role A sentence of inquiry that asks for a reply. +HED_0013121 Reward 3 Task-stimulus-role A positive reinforcement for a desired action, behavior or response. +HED_0013122 Stop-signal 3 Task-stimulus-role relatedTag=Go-signal An indicator that the agent should stop the current activity. Task-stimulus-role and (relatedTag some Go-signal) +HED_0013123 Target 3 Task-stimulus-role Something fixed as a goal, destination, or point of examination. +HED_0013124 Threat 3 Task-stimulus-role An indicator that signifies hostility and predicts an increased probability of attack. +HED_0013125 Timed 3 Task-stimulus-role Something planned or scheduled to be done at a particular time or lasting for a specified amount of time. +HED_0013126 Unexpected 3 Task-stimulus-role relatedTag=Expected Something that is not anticipated. Task-stimulus-role and (relatedTag some Expected) +HED_0013127 Unplanned 3 Task-stimulus-role relatedTag=Planned Something that has not been planned as part of the task. Task-stimulus-role and (relatedTag some Planned) +HED_0013128 Relation 0 HedTag extensionAllowed Concerns the way in which two or more people or things are connected. HedTag and (extensionAllowed value true) and (inHedSchema some StandardSchema) +HED_0013129 Comparative-relation 1 Relation Something considered in comparison to something else. The first entity is the focus. +HED_0013130 Approximately-equal-to 2 Comparative-relation (A, (Approximately-equal-to, B)) indicates that A and B have almost the same value. Here A and B could refer to sizes, orders, positions or other quantities. +HED_0013131 Equal-to 2 Comparative-relation (A, (Equal-to, B)) indicates that the size or order of A is the same as that of B. +HED_0013132 Greater-than 2 Comparative-relation (A, (Greater-than, B)) indicates that the relative size or order of A is bigger than that of B. +HED_0013133 Greater-than-or-equal-to 2 Comparative-relation (A, (Greater-than-or-equal-to, B)) indicates that the relative size or order of A is bigger than or the same as that of B. +HED_0013134 Less-than 2 Comparative-relation (A, (Less-than, B)) indicates that A is smaller than B. Here A and B could refer to sizes, orders, positions or other quantities. +HED_0013135 Less-than-or-equal-to 2 Comparative-relation (A, (Less-than-or-equal-to, B)) indicates that the relative size or order of A is smaller than or equal to B. +HED_0013136 Not-equal-to 2 Comparative-relation (A, (Not-equal-to, B)) indicates that the size or order of A is not the same as that of B. +HED_0013137 Connective-relation 1 Relation Indicates two entities are related in some way. The first entity is the focus. +HED_0013138 Belongs-to 2 Connective-relation (A, (Belongs-to, B)) indicates that A is a member of B. +HED_0013139 Connected-to 2 Connective-relation (A, (Connected-to, B)) indicates that A is related to B in some respect, usually through a direct link. +HED_0013140 Contained-in 2 Connective-relation (A, (Contained-in, B)) indicates that A is completely inside of B. +HED_0013141 Described-by 2 Connective-relation (A, (Described-by, B)) indicates that B provides information about A. +HED_0013142 From-to 2 Connective-relation (A, (From-to, B)) indicates a directional relation from A to B. A is considered the source. +HED_0013143 Group-of 2 Connective-relation (A, (Group-of, B)) indicates A is a group of items of type B. +HED_0013144 Implied-by 2 Connective-relation (A, (Implied-by, B)) indicates B is suggested by A. +HED_0013145 Includes 2 Connective-relation (A, (Includes, B)) indicates that A has B as a member or part. +HED_0013146 Interacts-with 2 Connective-relation (A, (Interacts-with, B)) indicates A and B interact, possibly reciprocally. +HED_0013147 Member-of 2 Connective-relation (A, (Member-of, B)) indicates A is a member of group B. +HED_0013148 Part-of 2 Connective-relation (A, (Part-of, B)) indicates A is a part of the whole B. +HED_0013149 Performed-by 2 Connective-relation (A, (Performed-by, B)) indicates that the action or procedure A was carried out by agent B. +HED_0013150 Performed-using 2 Connective-relation (A, (Performed-using, B)) indicates that the action or procedure A was accomplished using B. +HED_0013151 Related-to 2 Connective-relation (A, (Related-to, B)) indicates A has some relationship to B. +HED_0013152 Unrelated-to 2 Connective-relation (A, (Unrelated-to, B)) indicates that A is not related to B.For example, A is not related to Task. +HED_0013153 Directional-relation 1 Relation A relationship indicating direction of change of one entity relative to another. The first entity is the focus. +HED_0013154 Away-from 2 Directional-relation (A, (Away-from, B)) indicates that A is going or has moved away from B. The meaning depends on A and B. +HED_0013155 Towards 2 Directional-relation (A, (Towards, B)) indicates that A is going to or has moved to B. The meaning depends on A and B. +HED_0013156 Logical-relation 1 Relation Indicating a logical relationship between entities. The first entity is usually the focus. +HED_0013157 And 2 Logical-relation (A, (And, B)) means A and B are both in effect. +HED_0013158 Or 2 Logical-relation (A, (Or, B)) means at least one of A and B are in effect. +HED_0013159 Spatial-relation 1 Relation Indicating a relationship about position between entities. +HED_0013160 Above 2 Spatial-relation (A, (Above, B)) means A is in a place or position that is higher than B. +HED_0013161 Across-from 2 Spatial-relation (A, (Across-from, B)) means A is on the opposite side of something from B. +HED_0013162 Adjacent-to 2 Spatial-relation (A, (Adjacent-to, B)) indicates that A is next to B in time or space. +HED_0013163 Ahead-of 2 Spatial-relation (A, (Ahead-of, B)) indicates that A is further forward in time or space in B. +HED_0013164 Around 2 Spatial-relation (A, (Around, B)) means A is in or near the present place or situation of B. +HED_0013165 Behind 2 Spatial-relation (A, (Behind, B)) means A is at or to the far side of B, typically so as to be hidden by it. +HED_0013166 Below 2 Spatial-relation (A, (Below, B)) means A is in a place or position that is lower than the position of B. +HED_0013167 Between 2 Spatial-relation (A, (Between, (B, C))) means A is in the space or interval separating B and C. +HED_0013168 Bilateral-to 2 Spatial-relation (A, (Bilateral, B)) means A is on both sides of B or affects both sides of B. +HED_0013169 Bottom-edge-of 2 Spatial-relation relatedTag=Left-edge-of, relatedTag=Right-edge-of, relatedTag=Top-edge-of (A, (Bottom-edge-of, B)) means A is on the bottom most part or or near the boundary of B. Spatial-relation and (relatedTag some Left-edge-of) and (relatedTag some Right-edge-of) and (relatedTag some Top-edge-of) +HED_0013170 Boundary-of 2 Spatial-relation (A, (Boundary-of, B)) means A is on or part of the edge or boundary of B. +HED_0013171 Center-of 2 Spatial-relation (A, (Center-of, B)) means A is at a point or or in an area that is approximately central within B. +HED_0013172 Close-to 2 Spatial-relation (A, (Close-to, B)) means A is at a small distance from or is located near in space to B. +HED_0013173 Far-from 2 Spatial-relation (A, (Far-from, B)) means A is at a large distance from or is not located near in space to B. +HED_0013174 In-front-of 2 Spatial-relation (A, (In-front-of, B)) means A is in a position just ahead or at the front part of B, potentially partially blocking B from view. +HED_0013175 Left-edge-of 2 Spatial-relation relatedTag=Bottom-edge-of, relatedTag=Right-edge-of, relatedTag=Top-edge-of (A, (Left-edge-of, B)) means A is located on the left side of B on or near the boundary of B. Spatial-relation and (relatedTag some Bottom-edge-of) and (relatedTag some Right-edge-of) and (relatedTag some Top-edge-of) +HED_0013176 Left-side-of 2 Spatial-relation relatedTag=Right-side-of (A, (Left-side-of, B)) means A is located on the left side of B usually as part of B. Spatial-relation and (relatedTag some Right-side-of) +HED_0013177 Lower-center-of 2 Spatial-relation relatedTag=Center-of, relatedTag=Lower-left-of, relatedTag=Lower-right-of, relatedTag=Upper-center-of, relatedTag=Upper-right-of (A, (Lower-center-of, B)) means A is situated on the lower center part of B (due south). This relation is often used to specify qualitative information about screen position. Spatial-relation and (relatedTag some Center-of) and (relatedTag some Lower-left-of) and (relatedTag some Lower-right-of) and (relatedTag some Upper-center-of) and (relatedTag some Upper-right-of) +HED_0013178 Lower-left-of 2 Spatial-relation relatedTag=Center-of, relatedTag=Lower-center-of, relatedTag=Lower-right-of, relatedTag=Upper-center-of, relatedTag=Upper-left-of, relatedTag=Upper-right-of (A, (Lower-left-of, B)) means A is situated on the lower left part of B. This relation is often used to specify qualitative information about screen position. Spatial-relation and (relatedTag some Center-of) and (relatedTag some Lower-center-of) and (relatedTag some Lower-right-of) and (relatedTag some Upper-center-of) and (relatedTag some Upper-left-of) and (relatedTag some Upper-right-of) +HED_0013179 Lower-right-of 2 Spatial-relation relatedTag=Center-of, relatedTag=Lower-center-of, relatedTag=Lower-left-of, relatedTag=Upper-left-of, relatedTag=Upper-center-of, relatedTag=Upper-left-of, relatedTag=Lower-right-of (A, (Lower-right-of, B)) means A is situated on the lower right part of B. This relation is often used to specify qualitative information about screen position. Spatial-relation and (relatedTag some Center-of) and (relatedTag some Lower-center-of) and (relatedTag some Lower-left-of) and (relatedTag some Upper-left-of) and (relatedTag some Upper-center-of) and (relatedTag some Upper-left-of) and (relatedTag some Lower-right-of) +HED_0013180 Outside-of 2 Spatial-relation (A, (Outside-of, B)) means A is located in the space around but not including B. +HED_0013181 Over 2 Spatial-relation (A, (Over, B)) means A above is above B so as to cover or protect or A extends over the a general area as from a from a vantage point. +HED_0013182 Right-edge-of 2 Spatial-relation relatedTag=Bottom-edge-of, relatedTag=Left-edge-of, relatedTag=Top-edge-of (A, (Right-edge-of, B)) means A is located on the right side of B on or near the boundary of B. Spatial-relation and (relatedTag some Bottom-edge-of) and (relatedTag some Left-edge-of) and (relatedTag some Top-edge-of) +HED_0013183 Right-side-of 2 Spatial-relation relatedTag=Left-side-of (A, (Right-side-of, B)) means A is located on the right side of B usually as part of B. Spatial-relation and (relatedTag some Left-side-of) +HED_0013184 To-left-of 2 Spatial-relation (A, (To-left-of, B)) means A is located on or directed toward the side to the west of B when B is facing north. This term is used when A is not part of B. +HED_0013185 To-right-of 2 Spatial-relation (A, (To-right-of, B)) means A is located on or directed toward the side to the east of B when B is facing north. This term is used when A is not part of B. +HED_0013186 Top-edge-of 2 Spatial-relation relatedTag=Left-edge-of, relatedTag=Right-edge-of, relatedTag=Bottom-edge-of (A, (Top-edge-of, B)) means A is on the uppermost part or or near the boundary of B. Spatial-relation and (relatedTag some Left-edge-of) and (relatedTag some Right-edge-of) and (relatedTag some Bottom-edge-of) +HED_0013187 Top-of 2 Spatial-relation (A, (Top-of, B)) means A is on the uppermost part, side, or surface of B. +HED_0013188 Underneath 2 Spatial-relation (A, (Underneath, B)) means A is situated directly below and may be concealed by B. +HED_0013189 Upper-center-of 2 Spatial-relation relatedTag=Center-of, relatedTag=Lower-center-of, relatedTag=Lower-left-of, relatedTag=Lower-right-of, relatedTag=Upper-center-of, relatedTag=Upper-right-of (A, (Upper-center-of, B)) means A is situated on the upper center part of B (due north). This relation is often used to specify qualitative information about screen position. Spatial-relation and (relatedTag some Center-of) and (relatedTag some Lower-center-of) and (relatedTag some Lower-left-of) and (relatedTag some Lower-right-of) and (relatedTag some Upper-center-of) and (relatedTag some Upper-right-of) +HED_0013190 Upper-left-of 2 Spatial-relation relatedTag=Center-of, relatedTag=Lower-center-of, relatedTag=Lower-left-of, relatedTag=Lower-right-of, relatedTag=Upper-center-of, relatedTag=Upper-right-of (A, (Upper-left-of, B)) means A is situated on the upper left part of B. This relation is often used to specify qualitative information about screen position. Spatial-relation and (relatedTag some Center-of) and (relatedTag some Lower-center-of) and (relatedTag some Lower-left-of) and (relatedTag some Lower-right-of) and (relatedTag some Upper-center-of) and (relatedTag some Upper-right-of) +HED_0013191 Upper-right-of 2 Spatial-relation relatedTag=Center-of, relatedTag=Lower-center-of, relatedTag=Lower-left-of, relatedTag=Upper-left-of, relatedTag=Upper-center-of, relatedTag=Lower-right-of (A, (Upper-right-of, B)) means A is situated on the upper right part of B. This relation is often used to specify qualitative information about screen position. Spatial-relation and (relatedTag some Center-of) and (relatedTag some Lower-center-of) and (relatedTag some Lower-left-of) and (relatedTag some Upper-left-of) and (relatedTag some Upper-center-of) and (relatedTag some Lower-right-of) +HED_0013192 Within 2 Spatial-relation (A, (Within, B)) means A is on the inside of or contained in B. +HED_0013193 Temporal-relation 1 Relation A relationship that includes a temporal or time-based component. +HED_0013194 After 2 Temporal-relation (A, (After, B)) means A happens at a time subsequent to a reference time related to B. +HED_0013195 Asynchronous-with 2 Temporal-relation (A, (Asynchronous-with, B)) means A happens at times not occurring at the same time or having the same period or phase as B. +HED_0013196 Before 2 Temporal-relation (A, (Before, B)) means A happens at a time earlier in time or order than B. +HED_0013197 During 2 Temporal-relation (A, (During, B)) means A happens at some point in a given period of time in which B is ongoing. +HED_0013198 Synchronous-with 2 Temporal-relation (A, (Synchronous-with, B)) means A happens at occurs at the same time or rate as B. +HED_0013199 Waiting-for 2 Temporal-relation (A, (Waiting-for, B)) means A pauses for something to happen in B. diff --git a/tests/scripts/schemas/hedtsv/test_schema/test_schema_Unit.tsv b/tests/scripts/schemas/hedtsv/test_schema/test_schema_Unit.tsv new file mode 100644 index 00000000..9ba96ecf --- /dev/null +++ b/tests/scripts/schemas/hedtsv/test_schema/test_schema_Unit.tsv @@ -0,0 +1,47 @@ +hedId rdfs:label omn:SubClassOf hasUnitClass Attributes dc:description omn:EquivalentTo +HED_0011600 m-per-s^2 StandardUnit accelerationUnits SIUnit, unitSymbol, conversionFactor=1.0, allowedCharacter=caret StandardUnit and (SIUnit value true) and (unitSymbol value true) and (conversionFactor value 1.0) and (allowedCharacter value "caret") and (hasUnitClass some accelerationUnits) +HED_0011601 radian StandardUnit angleUnits SIUnit, conversionFactor=1.0 StandardUnit and (SIUnit value true) and (conversionFactor value 1.0) and (hasUnitClass some angleUnits) +HED_0011602 rad StandardUnit angleUnits SIUnit, unitSymbol, conversionFactor=1.0 StandardUnit and (SIUnit value true) and (unitSymbol value true) and (conversionFactor value 1.0) and (hasUnitClass some angleUnits) +HED_0011603 degree StandardUnit angleUnits conversionFactor=0.0174533 StandardUnit and (conversionFactor value 0.0174533) and (hasUnitClass some angleUnits) +HED_0011604 m^2 StandardUnit areaUnits SIUnit, unitSymbol, conversionFactor=1.0, allowedCharacter=caret StandardUnit and (SIUnit value true) and (unitSymbol value true) and (conversionFactor value 1.0) and (allowedCharacter value "caret") and (hasUnitClass some areaUnits) +HED_0011605 dollar StandardUnit currencyUnits conversionFactor=1.0 StandardUnit and (conversionFactor value 1.0) and (hasUnitClass some currencyUnits) +HED_0011606 $ StandardUnit currencyUnits unitPrefix, unitSymbol, conversionFactor=1.0, allowedCharacter=dollar StandardUnit and (unitPrefix value true) and (unitSymbol value true) and (conversionFactor value 1.0) and (allowedCharacter value "dollar") and (hasUnitClass some currencyUnits) +HED_0011607 euro StandardUnit currencyUnits The official currency of a large subset of member countries of the European Union. StandardUnit and (hasUnitClass some currencyUnits) +HED_0011608 point StandardUnit currencyUnits An arbitrary unit of value, usually an integer indicating reward or penalty. StandardUnit and (hasUnitClass some currencyUnits) +HED_0011609 V StandardUnit electricPotentialUnits SIUnit, unitSymbol, conversionFactor=0.000001 StandardUnit and (SIUnit value true) and (unitSymbol value true) and (conversionFactor value 0.000001) and (hasUnitClass some electricPotentialUnits) +HED_0011644 uV StandardUnit electricPotentialUnits conversionFactor=1.0 Added as a direct unit because it is the default unit. StandardUnit and (conversionFactor value 1.0) and (hasUnitClass some electricPotentialUnits) +HED_0011610 volt StandardUnit electricPotentialUnits SIUnit, conversionFactor=0.000001 StandardUnit and (SIUnit value true) and (conversionFactor value 0.000001) and (hasUnitClass some electricPotentialUnits) +HED_0011611 hertz StandardUnit frequencyUnits SIUnit, conversionFactor=1.0 StandardUnit and (SIUnit value true) and (conversionFactor value 1.0) and (hasUnitClass some frequencyUnits) +HED_0011612 Hz StandardUnit frequencyUnits SIUnit, unitSymbol, conversionFactor=1.0 StandardUnit and (SIUnit value true) and (unitSymbol value true) and (conversionFactor value 1.0) and (hasUnitClass some frequencyUnits) +HED_0011613 dB StandardUnit intensityUnits unitSymbol, conversionFactor=1.0 Intensity expressed as ratio to a threshold. May be used for sound intensity. StandardUnit and (unitSymbol value true) and (conversionFactor value 1.0) and (hasUnitClass some intensityUnits) +HED_0011614 candela StandardUnit intensityUnits SIUnit Units used to express light intensity. StandardUnit and (SIUnit value true) and (hasUnitClass some intensityUnits) +HED_0011615 cd StandardUnit intensityUnits SIUnit, unitSymbol Units used to express light intensity. StandardUnit and (SIUnit value true) and (unitSymbol value true) and (hasUnitClass some intensityUnits) +HED_0011616 m-per-s^3 StandardUnit jerkUnits unitSymbol, conversionFactor=1.0, allowedCharacter=caret StandardUnit and (unitSymbol value true) and (conversionFactor value 1.0) and (allowedCharacter value "caret") and (hasUnitClass some jerkUnits) +HED_0011617 tesla StandardUnit magneticFieldUnits SIUnit, conversionFactor=10e-15 StandardUnit and (SIUnit value true) and (conversionFactor value 10e-15) and (hasUnitClass some magneticFieldUnits) +HED_0011618 T StandardUnit magneticFieldUnits SIUnit, unitSymbol, conversionFactor=10e-15 StandardUnit and (SIUnit value true) and (unitSymbol value true) and (conversionFactor value 10e-15) and (hasUnitClass some magneticFieldUnits) +HED_0011619 byte StandardUnit memorySizeUnits SIUnit, conversionFactor=1.0 StandardUnit and (SIUnit value true) and (conversionFactor value 1.0) and (hasUnitClass some memorySizeUnits) +HED_0011620 B StandardUnit memorySizeUnits SIUnit, unitSymbol, conversionFactor=1.0 StandardUnit and (SIUnit value true) and (unitSymbol value true) and (conversionFactor value 1.0) and (hasUnitClass some memorySizeUnits) +HED_0011621 foot StandardUnit physicalLengthUnits conversionFactor=0.3048 StandardUnit and (conversionFactor value 0.3048) and (hasUnitClass some physicalLengthUnits) +HED_0011622 inch StandardUnit physicalLengthUnits conversionFactor=0.0254 StandardUnit and (conversionFactor value 0.0254) and (hasUnitClass some physicalLengthUnits) +HED_0011623 meter StandardUnit physicalLengthUnits SIUnit, conversionFactor=1.0 StandardUnit and (SIUnit value true) and (conversionFactor value 1.0) and (hasUnitClass some physicalLengthUnits) +HED_0011624 metre StandardUnit physicalLengthUnits SIUnit, conversionFactor=1.0 StandardUnit and (SIUnit value true) and (conversionFactor value 1.0) and (hasUnitClass some physicalLengthUnits) +HED_0011625 m StandardUnit physicalLengthUnits SIUnit, unitSymbol, conversionFactor=1.0 StandardUnit and (SIUnit value true) and (unitSymbol value true) and (conversionFactor value 1.0) and (hasUnitClass some physicalLengthUnits) +HED_0011626 mile StandardUnit physicalLengthUnits conversionFactor=1609.34 StandardUnit and (conversionFactor value 1609.34) and (hasUnitClass some physicalLengthUnits) +HED_0011627 m-per-s StandardUnit speedUnits SIUnit, unitSymbol, conversionFactor=1.0 StandardUnit and (SIUnit value true) and (unitSymbol value true) and (conversionFactor value 1.0) and (hasUnitClass some speedUnits) +HED_0011628 mph StandardUnit speedUnits unitSymbol, conversionFactor=0.44704 StandardUnit and (unitSymbol value true) and (conversionFactor value 0.44704) and (hasUnitClass some speedUnits) +HED_0011629 kph StandardUnit speedUnits unitSymbol, conversionFactor=0.277778 StandardUnit and (unitSymbol value true) and (conversionFactor value 0.277778) and (hasUnitClass some speedUnits) +HED_0011630 degree-Celsius StandardUnit temperatureUnits SIUnit, conversionFactor=1.0 StandardUnit and (SIUnit value true) and (conversionFactor value 1.0) and (hasUnitClass some temperatureUnits) +HED_0011631 degree Celsius StandardUnit temperatureUnits deprecatedFrom=8.2.0, SIUnit, conversionFactor=1.0 Units are not allowed to have spaces. Use degree-Celsius or oC instead. StandardUnit and (deprecatedFrom value "8.2.0") and (SIUnit value true) and (conversionFactor value 1.0) and (hasUnitClass some temperatureUnits) +HED_0011632 oC StandardUnit temperatureUnits SIUnit, unitSymbol, conversionFactor=1.0 StandardUnit and (SIUnit value true) and (unitSymbol value true) and (conversionFactor value 1.0) and (hasUnitClass some temperatureUnits) +HED_0011633 second StandardUnit timeUnits SIUnit, conversionFactor=1.0 StandardUnit and (SIUnit value true) and (conversionFactor value 1.0) and (hasUnitClass some timeUnits) +HED_0011634 s StandardUnit timeUnits SIUnit, unitSymbol, conversionFactor=1.0 StandardUnit and (SIUnit value true) and (unitSymbol value true) and (conversionFactor value 1.0) and (hasUnitClass some timeUnits) +HED_0011635 day StandardUnit timeUnits conversionFactor=86400 StandardUnit and (conversionFactor value 86400) and (hasUnitClass some timeUnits) +HED_0011645 month StandardUnit timeUnits StandardUnit and (hasUnitClass some timeUnits) +HED_0011636 minute StandardUnit timeUnits conversionFactor=60 StandardUnit and (conversionFactor value 60) and (hasUnitClass some timeUnits) +HED_0011637 hour StandardUnit timeUnits conversionFactor=3600 Should be in 24-hour format. StandardUnit and (conversionFactor value 3600) and (hasUnitClass some timeUnits) +HED_0011638 year StandardUnit timeUnits Years do not have a constant conversion factor to seconds. StandardUnit and (hasUnitClass some timeUnits) +HED_0011639 m^3 StandardUnit volumeUnits SIUnit, unitSymbol, conversionFactor=1.0, allowedCharacter=caret StandardUnit and (SIUnit value true) and (unitSymbol value true) and (conversionFactor value 1.0) and (allowedCharacter value "caret") and (hasUnitClass some volumeUnits) +HED_0011640 g StandardUnit weightUnits SIUnit, unitSymbol, conversionFactor=1.0 StandardUnit and (SIUnit value true) and (unitSymbol value true) and (conversionFactor value 1.0) and (hasUnitClass some weightUnits) +HED_0011641 gram StandardUnit weightUnits SIUnit, conversionFactor=1.0 StandardUnit and (SIUnit value true) and (conversionFactor value 1.0) and (hasUnitClass some weightUnits) +HED_0011642 pound StandardUnit weightUnits conversionFactor=453.592 StandardUnit and (conversionFactor value 453.592) and (hasUnitClass some weightUnits) +HED_0011643 lb StandardUnit weightUnits conversionFactor=453.592 StandardUnit and (conversionFactor value 453.592) and (hasUnitClass some weightUnits) diff --git a/tests/scripts/schemas/hedtsv/test_schema/test_schema_UnitClass.tsv b/tests/scripts/schemas/hedtsv/test_schema/test_schema_UnitClass.tsv new file mode 100644 index 00000000..ea329783 --- /dev/null +++ b/tests/scripts/schemas/hedtsv/test_schema/test_schema_UnitClass.tsv @@ -0,0 +1,17 @@ +hedId rdfs:label omn:SubClassOf Attributes dc:description omn:EquivalentTo +HED_0011500 accelerationUnits StandardUnitClass defaultUnits=m-per-s^2 StandardUnitClass and (defaultUnits some m-per-s^2) +HED_0011501 angleUnits StandardUnitClass defaultUnits=radian StandardUnitClass and (defaultUnits some radian) +HED_0011502 areaUnits StandardUnitClass defaultUnits=m^2 StandardUnitClass and (defaultUnits some m^2) +HED_0011503 currencyUnits StandardUnitClass defaultUnits=$ Units indicating the worth of something. StandardUnitClass and (defaultUnits some $) +HED_0011504 electricPotentialUnits StandardUnitClass defaultUnits=uV StandardUnitClass and (defaultUnits some uV) +HED_0011505 frequencyUnits StandardUnitClass defaultUnits=Hz StandardUnitClass and (defaultUnits some Hz) +HED_0011506 intensityUnits StandardUnitClass defaultUnits=dB StandardUnitClass and (defaultUnits some dB) +HED_0011507 jerkUnits StandardUnitClass defaultUnits=m-per-s^3 StandardUnitClass and (defaultUnits some m-per-s^3) +HED_0011508 magneticFieldUnits StandardUnitClass defaultUnits=T StandardUnitClass and (defaultUnits some T) +HED_0011509 memorySizeUnits StandardUnitClass defaultUnits=B StandardUnitClass and (defaultUnits some B) +HED_0011510 physicalLengthUnits StandardUnitClass defaultUnits=m StandardUnitClass and (defaultUnits some m) +HED_0011511 speedUnits StandardUnitClass defaultUnits=m-per-s StandardUnitClass and (defaultUnits some m-per-s) +HED_0011512 temperatureUnits StandardUnitClass defaultUnits=degree-Celsius StandardUnitClass and (defaultUnits some degree-Celsius) +HED_0011513 timeUnits StandardUnitClass defaultUnits=s StandardUnitClass and (defaultUnits some s) +HED_0011514 volumeUnits StandardUnitClass defaultUnits=m^3 StandardUnitClass and (defaultUnits some m^3) +HED_0011515 weightUnits StandardUnitClass defaultUnits=g StandardUnitClass and (defaultUnits some g) diff --git a/tests/scripts/schemas/hedtsv/test_schema/test_schema_UnitModifier.tsv b/tests/scripts/schemas/hedtsv/test_schema/test_schema_UnitModifier.tsv new file mode 100644 index 00000000..ff8354d2 --- /dev/null +++ b/tests/scripts/schemas/hedtsv/test_schema/test_schema_UnitModifier.tsv @@ -0,0 +1,41 @@ +hedId rdfs:label omn:SubClassOf Attributes dc:description omn:EquivalentTo +HED_0011400 deca StandardUnitModifier SIUnitModifier, conversionFactor=10.0 SI unit multiple representing 10e1. StandardUnitModifier and (SIUnitModifier value true) and (conversionFactor value 10.0) +HED_0011401 da StandardUnitModifier SIUnitSymbolModifier, conversionFactor=10.0 SI unit multiple representing 10e1. StandardUnitModifier and (SIUnitSymbolModifier value true) and (conversionFactor value 10.0) +HED_0011402 hecto StandardUnitModifier SIUnitModifier, conversionFactor=100.0 SI unit multiple representing 10e2. StandardUnitModifier and (SIUnitModifier value true) and (conversionFactor value 100.0) +HED_0011403 h StandardUnitModifier SIUnitSymbolModifier, conversionFactor=100.0 SI unit multiple representing 10e2. StandardUnitModifier and (SIUnitSymbolModifier value true) and (conversionFactor value 100.0) +HED_0011404 kilo StandardUnitModifier SIUnitModifier, conversionFactor=1000.0 SI unit multiple representing 10e3. StandardUnitModifier and (SIUnitModifier value true) and (conversionFactor value 1000.0) +HED_0011405 k StandardUnitModifier SIUnitSymbolModifier, conversionFactor=1000.0 SI unit multiple representing 10e3. StandardUnitModifier and (SIUnitSymbolModifier value true) and (conversionFactor value 1000.0) +HED_0011406 mega StandardUnitModifier SIUnitModifier, conversionFactor=10e6 SI unit multiple representing 10e6. StandardUnitModifier and (SIUnitModifier value true) and (conversionFactor value 10e6) +HED_0011407 M StandardUnitModifier SIUnitSymbolModifier, conversionFactor=10e6 SI unit multiple representing 10e6. StandardUnitModifier and (SIUnitSymbolModifier value true) and (conversionFactor value 10e6) +HED_0011408 giga StandardUnitModifier SIUnitModifier, conversionFactor=10e9 SI unit multiple representing 10e9. StandardUnitModifier and (SIUnitModifier value true) and (conversionFactor value 10e9) +HED_0011409 G StandardUnitModifier SIUnitSymbolModifier, conversionFactor=10e9 SI unit multiple representing 10e9. StandardUnitModifier and (SIUnitSymbolModifier value true) and (conversionFactor value 10e9) +HED_0011410 tera StandardUnitModifier SIUnitModifier, conversionFactor=10e12 SI unit multiple representing 10e12. StandardUnitModifier and (SIUnitModifier value true) and (conversionFactor value 10e12) +HED_0011411 T StandardUnitModifier SIUnitSymbolModifier, conversionFactor=10e12 SI unit multiple representing 10e12. StandardUnitModifier and (SIUnitSymbolModifier value true) and (conversionFactor value 10e12) +HED_0011412 peta StandardUnitModifier SIUnitModifier, conversionFactor=10e15 SI unit multiple representing 10e15. StandardUnitModifier and (SIUnitModifier value true) and (conversionFactor value 10e15) +HED_0011413 P StandardUnitModifier SIUnitSymbolModifier, conversionFactor=10e15 SI unit multiple representing 10e15. StandardUnitModifier and (SIUnitSymbolModifier value true) and (conversionFactor value 10e15) +HED_0011414 exa StandardUnitModifier SIUnitModifier, conversionFactor=10e18 SI unit multiple representing 10e18. StandardUnitModifier and (SIUnitModifier value true) and (conversionFactor value 10e18) +HED_0011415 E StandardUnitModifier SIUnitSymbolModifier, conversionFactor=10e18 SI unit multiple representing 10e18. StandardUnitModifier and (SIUnitSymbolModifier value true) and (conversionFactor value 10e18) +HED_0011416 zetta StandardUnitModifier SIUnitModifier, conversionFactor=10e21 SI unit multiple representing 10e21. StandardUnitModifier and (SIUnitModifier value true) and (conversionFactor value 10e21) +HED_0011417 Z StandardUnitModifier SIUnitSymbolModifier, conversionFactor=10e21 SI unit multiple representing 10e21. StandardUnitModifier and (SIUnitSymbolModifier value true) and (conversionFactor value 10e21) +HED_0011418 yotta StandardUnitModifier SIUnitModifier, conversionFactor=10e24 SI unit multiple representing 10e24. StandardUnitModifier and (SIUnitModifier value true) and (conversionFactor value 10e24) +HED_0011419 Y StandardUnitModifier SIUnitSymbolModifier, conversionFactor=10e24 SI unit multiple representing 10e24. StandardUnitModifier and (SIUnitSymbolModifier value true) and (conversionFactor value 10e24) +HED_0011420 deci StandardUnitModifier SIUnitModifier, conversionFactor=0.1 SI unit submultiple representing 10e-1. StandardUnitModifier and (SIUnitModifier value true) and (conversionFactor value 0.1) +HED_0011421 d StandardUnitModifier SIUnitSymbolModifier, conversionFactor=0.1 SI unit submultiple representing 10e-1. StandardUnitModifier and (SIUnitSymbolModifier value true) and (conversionFactor value 0.1) +HED_0011422 centi StandardUnitModifier SIUnitModifier, conversionFactor=0.01 SI unit submultiple representing 10e-2. StandardUnitModifier and (SIUnitModifier value true) and (conversionFactor value 0.01) +HED_0011423 c StandardUnitModifier SIUnitSymbolModifier, conversionFactor=0.01 SI unit submultiple representing 10e-2. StandardUnitModifier and (SIUnitSymbolModifier value true) and (conversionFactor value 0.01) +HED_0011424 milli StandardUnitModifier SIUnitModifier, conversionFactor=0.001 SI unit submultiple representing 10e-3. StandardUnitModifier and (SIUnitModifier value true) and (conversionFactor value 0.001) +HED_0011425 m StandardUnitModifier SIUnitSymbolModifier, conversionFactor=0.001 SI unit submultiple representing 10e-3. StandardUnitModifier and (SIUnitSymbolModifier value true) and (conversionFactor value 0.001) +HED_0011426 micro StandardUnitModifier SIUnitModifier, conversionFactor=10e-6 SI unit submultiple representing 10e-6. StandardUnitModifier and (SIUnitModifier value true) and (conversionFactor value 10e-6) +HED_0011427 u StandardUnitModifier SIUnitSymbolModifier, conversionFactor=10e-6 SI unit submultiple representing 10e-6. StandardUnitModifier and (SIUnitSymbolModifier value true) and (conversionFactor value 10e-6) +HED_0011428 nano StandardUnitModifier SIUnitModifier, conversionFactor=10e-9 SI unit submultiple representing 10e-9. StandardUnitModifier and (SIUnitModifier value true) and (conversionFactor value 10e-9) +HED_0011429 n StandardUnitModifier SIUnitSymbolModifier, conversionFactor=10e-9 SI unit submultiple representing 10e-9. StandardUnitModifier and (SIUnitSymbolModifier value true) and (conversionFactor value 10e-9) +HED_0011430 pico StandardUnitModifier SIUnitModifier, conversionFactor=10e-12 SI unit submultiple representing 10e-12. StandardUnitModifier and (SIUnitModifier value true) and (conversionFactor value 10e-12) +HED_0011431 p StandardUnitModifier SIUnitSymbolModifier, conversionFactor=10e-12 SI unit submultiple representing 10e-12. StandardUnitModifier and (SIUnitSymbolModifier value true) and (conversionFactor value 10e-12) +HED_0011432 femto StandardUnitModifier SIUnitModifier, conversionFactor=10e-15 SI unit submultiple representing 10e-15. StandardUnitModifier and (SIUnitModifier value true) and (conversionFactor value 10e-15) +HED_0011433 f StandardUnitModifier SIUnitSymbolModifier, conversionFactor=10e-15 SI unit submultiple representing 10e-15. StandardUnitModifier and (SIUnitSymbolModifier value true) and (conversionFactor value 10e-15) +HED_0011434 atto StandardUnitModifier SIUnitModifier, conversionFactor=10e-18 SI unit submultiple representing 10e-18. StandardUnitModifier and (SIUnitModifier value true) and (conversionFactor value 10e-18) +HED_0011435 a StandardUnitModifier SIUnitSymbolModifier, conversionFactor=10e-18 SI unit submultiple representing 10e-18. StandardUnitModifier and (SIUnitSymbolModifier value true) and (conversionFactor value 10e-18) +HED_0011436 zepto StandardUnitModifier SIUnitModifier, conversionFactor=10e-21 SI unit submultiple representing 10e-21. StandardUnitModifier and (SIUnitModifier value true) and (conversionFactor value 10e-21) +HED_0011437 z StandardUnitModifier SIUnitSymbolModifier, conversionFactor=10e-21 SI unit submultiple representing 10e-21. StandardUnitModifier and (SIUnitSymbolModifier value true) and (conversionFactor value 10e-21) +HED_0011438 yocto StandardUnitModifier SIUnitModifier, conversionFactor=10e-24 SI unit submultiple representing 10e-24. StandardUnitModifier and (SIUnitModifier value true) and (conversionFactor value 10e-24) +HED_0011439 y StandardUnitModifier SIUnitSymbolModifier, conversionFactor=10e-24 SI unit submultiple representing 10e-24. StandardUnitModifier and (SIUnitSymbolModifier value true) and (conversionFactor value 10e-24) diff --git a/tests/scripts/schemas/hedtsv/test_schema/test_schema_ValueClass.tsv b/tests/scripts/schemas/hedtsv/test_schema/test_schema_ValueClass.tsv new file mode 100644 index 00000000..cd3dce89 --- /dev/null +++ b/tests/scripts/schemas/hedtsv/test_schema/test_schema_ValueClass.tsv @@ -0,0 +1,6 @@ +hedId rdfs:label omn:SubClassOf Attributes dc:description omn:EquivalentTo +HED_0011301 dateTimeClass StandardValueClass allowedCharacter=digits, allowedCharacter=T, allowedCharacter=hyphen, allowedCharacter=colon Date-times should conform to ISO8601 date-time format YYYY-MM-DDThh:mm:ss.000000Z (year, month, day, hour (24h), minute, second, optional fractional seconds, and optional UTC time indicator. Any variation on the full form is allowed. StandardValueClass and (allowedCharacter value "digits") and (allowedCharacter value "T") and (allowedCharacter value "hyphen") and (allowedCharacter value "colon") +HED_0011302 nameClass StandardValueClass allowedCharacter=letters, allowedCharacter=digits, allowedCharacter=underscore, allowedCharacter=hyphen Value class designating values that have the characteristics of node names. The allowed characters are alphanumeric, hyphen, and underscore. StandardValueClass and (allowedCharacter value "letters") and (allowedCharacter value "digits") and (allowedCharacter value "underscore") and (allowedCharacter value "hyphen") +HED_0011303 numericClass StandardValueClass allowedCharacter=digits, allowedCharacter=E, allowedCharacter=e, allowedCharacter=plus, allowedCharacter=hyphen, allowedCharacter=period Value must be a valid numerical value. StandardValueClass and (allowedCharacter value "digits") and (allowedCharacter value "E") and (allowedCharacter value "e") and (allowedCharacter value "plus") and (allowedCharacter value "hyphen") and (allowedCharacter value "period") +HED_0011304 posixPath StandardValueClass allowedCharacter=digits, allowedCharacter=letters, allowedCharacter=slash, allowedCharacter=colon Posix path specification. StandardValueClass and (allowedCharacter value "digits") and (allowedCharacter value "letters") and (allowedCharacter value "slash") and (allowedCharacter value "colon") +HED_0011305 textClass StandardValueClass allowedCharacter=text Values that have the characteristics of text such as in descriptions. The text characters include printable characters (32 <= ASCII< 127) excluding comma, square bracket and curly braces as well as non ASCII (ASCII codes > 127). StandardValueClass and (allowedCharacter value "text") diff --git a/tests/scripts/schemas/test_schema.xml b/tests/scripts/schemas/test_schema.xml new file mode 100644 index 00000000..1608fc97 --- /dev/null +++ b/tests/scripts/schemas/test_schema.xml @@ -0,0 +1,13381 @@ + + + The HED standard schema is a hierarchically-organized vocabulary for annotating events and experimental structure. HED annotations consist of comma-separated tags drawn from this vocabulary. This vocabulary can be augmented by terms drawn from specialized library schema. + +Each term in this vocabulary has a human-readable description and may include additional attributes that give additional properties or that specify how tools should treat the tag during analysis. The meaning of these attributes is described in the Additional schema properties section. + + + Event + Something that happens at a given time and (typically) place. Elements of this tag subtree designate the general category in which an event falls. + + suggestedTag + Task-property + + + hedId + HED_0012001 + + + Sensory-event + Something perceivable by the participant. An event meant to be an experimental stimulus should include the tag Task-property/Task-event-role/Experimental-stimulus. + + suggestedTag + Task-event-role + Sensory-presentation + + + hedId + HED_0012002 + + + + Agent-action + Any action engaged in by an agent (see the Agent subtree for agent categories). A participant response to an experiment stimulus should include the tag Agent-property/Agent-task-role/Experiment-participant. + + suggestedTag + Task-event-role + Agent + + + hedId + HED_0012003 + + + + Data-feature + An event marking the occurrence of a data feature such as an interictal spike or alpha burst that is often added post hoc to the data record. + + suggestedTag + Data-property + + + hedId + HED_0012004 + + + + Experiment-control + An event pertaining to the physical control of the experiment during its operation. + + hedId + HED_0012005 + + + + Experiment-procedure + An event indicating an experimental procedure, as in performing a saliva swab during the experiment or administering a survey. + + hedId + HED_0012006 + + + + Experiment-structure + An event specifying a change-point of the structure of experiment. This event is typically used to indicate a change in experimental conditions or tasks. + + hedId + HED_0012007 + + + + Measurement-event + A discrete measure returned by an instrument. + + suggestedTag + Data-property + + + hedId + HED_0012008 + + + + + Agent + Someone or something that takes an active role or produces a specified effect.The role or effect may be implicit. Being alive or performing an activity such as a computation may qualify something to be an agent. An agent may also be something that simulates something else. + + suggestedTag + Agent-property + + + hedId + HED_0012009 + + + Animal-agent + An agent that is an animal. + + hedId + HED_0012010 + + + + Avatar-agent + An agent associated with an icon or avatar representing another agent. + + hedId + HED_0012011 + + + + Controller-agent + Experiment control software or hardware. + + hedId + HED_0012012 + + + + Human-agent + A person who takes an active role or produces a specified effect. + + hedId + HED_0012013 + + + + Robotic-agent + An agent mechanical device capable of performing a variety of often complex tasks on command or by being programmed in advance. + + hedId + HED_0012014 + + + + Software-agent + An agent computer program that interacts with the participant in an active role such as an AI advisor. + + hedId + HED_0012015 + + + + + Action + Do something. + + extensionAllowed + + + hedId + HED_0012016 + + + Communicate + Action conveying knowledge of or about something. + + hedId + HED_0012017 + + + Communicate-gesturally + Communicate non-verbally using visible bodily actions, either in place of speech or together and in parallel with spoken words. Gestures include movement of the hands, face, or other parts of the body. + + relatedTag + Move-face + Move-upper-extremity + + + hedId + HED_0012018 + + + Clap-hands + Strike the palms of against one another resoundingly, and usually repeatedly, especially to express approval. + + hedId + HED_0012019 + + + + Clear-throat + Cough slightly so as to speak more clearly, attract attention, or to express hesitancy before saying something awkward. + + relatedTag + Move-face + Move-head + + + hedId + HED_0012020 + + + + Frown + Express disapproval, displeasure, or concentration, typically by turning down the corners of the mouth. + + relatedTag + Move-face + + + hedId + HED_0012021 + + + + Grimace + Make a twisted expression, typically expressing disgust, pain, or wry amusement. + + relatedTag + Move-face + + + hedId + HED_0012022 + + + + Nod-head + Tilt head in alternating up and down arcs along the sagittal plane. It is most commonly, but not universally, used to indicate agreement, acceptance, or acknowledgement. + + relatedTag + Move-head + + + hedId + HED_0012023 + + + + Pump-fist + Raise with fist clenched in triumph or affirmation. + + relatedTag + Move-upper-extremity + + + hedId + HED_0012024 + + + + Raise-eyebrows + Move eyebrows upward. + + relatedTag + Move-face + Move-eyes + + + hedId + HED_0012025 + + + + Shake-fist + Clench hand into a fist and shake to demonstrate anger. + + relatedTag + Move-upper-extremity + + + hedId + HED_0012026 + + + + Shake-head + Turn head from side to side as a way of showing disagreement or refusal. + + relatedTag + Move-head + + + hedId + HED_0012027 + + + + Shhh + Place finger over lips and possibly uttering the syllable shhh to indicate the need to be quiet. + + relatedTag + Move-upper-extremity + + + hedId + HED_0012028 + + + + Shrug + Lift shoulders up towards head to indicate a lack of knowledge about a particular topic. + + relatedTag + Move-upper-extremity + Move-torso + + + hedId + HED_0012029 + + + + Smile + Form facial features into a pleased, kind, or amused expression, typically with the corners of the mouth turned up and the front teeth exposed. + + relatedTag + Move-face + + + hedId + HED_0012030 + + + + Spread-hands + Spread hands apart to indicate ignorance. + + relatedTag + Move-upper-extremity + + + hedId + HED_0012031 + + + + Thumb-up + Extend the thumb upward to indicate approval. + + relatedTag + Move-upper-extremity + + + hedId + HED_0012032 + + + + Thumbs-down + Extend the thumb downward to indicate disapproval. + + relatedTag + Move-upper-extremity + + + hedId + HED_0012033 + + + + Wave + Raise hand and move left and right, as a greeting or sign of departure. + + relatedTag + Move-upper-extremity + + + hedId + HED_0012034 + + + + Widen-eyes + Open eyes and possibly with eyebrows lifted especially to express surprise or fear. + + relatedTag + Move-face + Move-eyes + + + hedId + HED_0012035 + + + + Wink + Close and open one eye quickly, typically to indicate that something is a joke or a secret or as a signal of affection or greeting. + + relatedTag + Move-face + Move-eyes + + + hedId + HED_0012036 + + + + + Communicate-musically + Communicate using music. + + hedId + HED_0012037 + + + Hum + Make a low, steady continuous sound like that of a bee. Sing with the lips closed and without uttering speech. + + hedId + HED_0012038 + + + + Play-instrument + Make musical sounds using an instrument. + + hedId + HED_0012039 + + + + Sing + Produce musical tones by means of the voice. + + hedId + HED_0012040 + + + + Vocalize + Utter vocal sounds. + + hedId + HED_0012041 + + + + Whistle + Produce a shrill clear sound by forcing breath out or air in through the puckered lips. + + hedId + HED_0012042 + + + + + Communicate-vocally + Communicate using mouth or vocal cords. + + hedId + HED_0012043 + + + Cry + Shed tears associated with emotions, usually sadness but also joy or frustration. + + hedId + HED_0012044 + + + + Groan + Make a deep inarticulate sound in response to pain or despair. + + hedId + HED_0012045 + + + + Laugh + Make the spontaneous sounds and movements of the face and body that are the instinctive expressions of lively amusement and sometimes also of contempt or derision. + + hedId + HED_0012046 + + + + Scream + Make loud, vociferous cries or yells to express pain, excitement, or fear. + + hedId + HED_0012047 + + + + Shout + Say something very loudly. + + hedId + HED_0012048 + + + + Sigh + Emit a long, deep, audible breath expressing sadness, relief, tiredness, or a similar feeling. + + hedId + HED_0012049 + + + + Speak + Communicate using spoken language. + + hedId + HED_0012050 + + + + Whisper + Speak very softly using breath without vocal cords. + + hedId + HED_0012051 + + + + + + Move + Move in a specified direction or manner. Change position or posture. + + hedId + HED_0012052 + + + Breathe + Inhale or exhale during respiration. + + hedId + HED_0012053 + + + Blow + Expel air through pursed lips. + + hedId + HED_0012054 + + + + Cough + Suddenly and audibly expel air from the lungs through a partially closed glottis, preceded by inhalation. + + hedId + HED_0012055 + + + + Exhale + Blow out or expel breath. + + hedId + HED_0012056 + + + + Hiccup + Involuntarily spasm the diaphragm and respiratory organs, with a sudden closure of the glottis and a characteristic sound like that of a cough. + + hedId + HED_0012057 + + + + Hold-breath + Interrupt normal breathing by ceasing to inhale or exhale. + + hedId + HED_0012058 + + + + Inhale + Draw in with the breath through the nose or mouth. + + hedId + HED_0012059 + + + + Sneeze + Suddenly and violently expel breath through the nose and mouth. + + hedId + HED_0012060 + + + + Sniff + Draw in air audibly through the nose to detect a smell, to stop it from running, or to express contempt. + + hedId + HED_0012061 + + + + + Move-body + Move entire body. + + hedId + HED_0012062 + + + Bend + Move body in a bowed or curved manner. + + hedId + HED_0012063 + + + + Dance + Perform a purposefully selected sequences of human movement often with aesthetic or symbolic value. Move rhythmically to music, typically following a set sequence of steps. + + hedId + HED_0012064 + + + + Fall-down + Lose balance and collapse. + + hedId + HED_0012065 + + + + Flex + Cause a muscle to stand out by contracting or tensing it. Bend a limb or joint. + + hedId + HED_0012066 + + + + Jerk + Make a quick, sharp, sudden movement. + + hedId + HED_0012067 + + + + Lie-down + Move to a horizontal or resting position. + + hedId + HED_0012068 + + + + Recover-balance + Return to a stable, upright body position. + + hedId + HED_0012069 + + + + Shudder + Tremble convulsively, sometimes as a result of fear or revulsion. + + hedId + HED_0012070 + + + + Sit-down + Move from a standing to a sitting position. + + hedId + HED_0012071 + + + + Sit-up + Move from lying down to a sitting position. + + hedId + HED_0012072 + + + + Stand-up + Move from a sitting to a standing position. + + hedId + HED_0012073 + + + + Stretch + Straighten or extend body or a part of body to its full length, typically so as to tighten muscles or in order to reach something. + + hedId + HED_0012074 + + + + Stumble + Trip or momentarily lose balance and almost fall. + + hedId + HED_0012075 + + + + Turn + Change or cause to change direction. + + hedId + HED_0012076 + + + + + Move-body-part + Move one part of a body. + + hedId + HED_0012077 + + + Move-eyes + Move eyes. + + hedId + HED_0012078 + + + Blink + Shut and open the eyes quickly. + + hedId + HED_0012079 + + + + Close-eyes + Lower and keep eyelids in a closed position. + + hedId + HED_0012080 + + + + Fixate + Direct eyes to a specific point or target. + + hedId + HED_0012081 + + + + Inhibit-blinks + Purposely prevent blinking. + + hedId + HED_0012082 + + + + Open-eyes + Raise eyelids to expose pupil. + + hedId + HED_0012083 + + + + Saccade + Move eyes rapidly between fixation points. + + hedId + HED_0012084 + + + + Squint + Squeeze one or both eyes partly closed in an attempt to see more clearly or as a reaction to strong light. + + hedId + HED_0012085 + + + + Stare + Look fixedly or vacantly at someone or something with eyes wide open. + + hedId + HED_0012086 + + + + + Move-face + Move the face or jaw. + + hedId + HED_0012087 + + + Bite + Seize with teeth or jaws an object or organism so as to grip or break the surface covering. + + hedId + HED_0012088 + + + + Burp + Noisily release air from the stomach through the mouth. Belch. + + hedId + HED_0012089 + + + + Chew + Repeatedly grinding, tearing, and or crushing with teeth or jaws. + + hedId + HED_0012090 + + + + Gurgle + Make a hollow bubbling sound like that made by water running out of a bottle. + + hedId + HED_0012091 + + + + Swallow + Cause or allow something, especially food or drink to pass down the throat. + + hedId + HED_0012092 + + + Gulp + Swallow quickly or in large mouthfuls, often audibly, sometimes to indicate apprehension. + + hedId + HED_0012093 + + + + + Yawn + Take a deep involuntary inhalation with the mouth open often as a sign of drowsiness or boredom. + + hedId + HED_0012094 + + + + + Move-head + Move head. + + hedId + HED_0012095 + + + Lift-head + Tilt head back lifting chin. + + hedId + HED_0012096 + + + + Lower-head + Move head downward so that eyes are in a lower position. + + hedId + HED_0012097 + + + + Turn-head + Rotate head horizontally to look in a different direction. + + hedId + HED_0012098 + + + + + Move-lower-extremity + Move leg and/or foot. + + hedId + HED_0012099 + + + Curl-toes + Bend toes sometimes to grip. + + hedId + HED_0012100 + + + + Hop + Jump on one foot. + + hedId + HED_0012101 + + + + Jog + Run at a trot to exercise. + + hedId + HED_0012102 + + + + Jump + Move off the ground or other surface through sudden muscular effort in the legs. + + hedId + HED_0012103 + + + + Kick + Strike out or flail with the foot or feet.Strike using the leg, in unison usually with an area of the knee or lower using the foot. + + hedId + HED_0012104 + + + + Pedal + Move by working the pedals of a bicycle or other machine. + + hedId + HED_0012105 + + + + Press-foot + Move by pressing foot. + + hedId + HED_0012106 + + + + Run + Travel on foot at a fast pace. + + hedId + HED_0012107 + + + + Step + Put one leg in front of the other and shift weight onto it. + + hedId + HED_0012108 + + + Heel-strike + Strike the ground with the heel during a step. + + hedId + HED_0012109 + + + + Toe-off + Push with toe as part of a stride. + + hedId + HED_0012110 + + + + + Trot + Run at a moderate pace, typically with short steps. + + hedId + HED_0012111 + + + + Walk + Move at a regular pace by lifting and setting down each foot in turn never having both feet off the ground at once. + + hedId + HED_0012112 + + + + + Move-torso + Move body trunk. + + hedId + HED_0012113 + + + + Move-upper-extremity + Move arm, shoulder, and/or hand. + + hedId + HED_0012114 + + + Drop + Let or cause to fall vertically. + + hedId + HED_0012115 + + + + Grab + Seize suddenly or quickly. Snatch or clutch. + + hedId + HED_0012116 + + + + Grasp + Seize and hold firmly. + + hedId + HED_0012117 + + + + Hold-down + Prevent someone or something from moving by holding them firmly. + + hedId + HED_0012118 + + + + Lift + Raising something to higher position. + + hedId + HED_0012119 + + + + Make-fist + Close hand tightly with the fingers bent against the palm. + + hedId + HED_0012120 + + + + Point + Draw attention to something by extending a finger or arm. + + hedId + HED_0012121 + + + + Press + Apply pressure to something to flatten, shape, smooth or depress it. This action tag should be used to indicate key presses and mouse clicks. + + relatedTag + Push + + + hedId + HED_0012122 + + + + Push + Apply force in order to move something away. Use Press to indicate a key press or mouse click. + + relatedTag + Press + + + hedId + HED_0012123 + + + + Reach + Stretch out your arm in order to get or touch something. + + hedId + HED_0012124 + + + + Release + Make available or set free. + + hedId + HED_0012125 + + + + Retract + Draw or pull back. + + hedId + HED_0012126 + + + + Scratch + Drag claws or nails over a surface or on skin. + + hedId + HED_0012127 + + + + Snap-fingers + Make a noise by pushing second finger hard against thumb and then releasing it suddenly so that it hits the base of the thumb. + + hedId + HED_0012128 + + + + Touch + Come into or be in contact with. + + hedId + HED_0012129 + + + + + + + Perceive + Produce an internal, conscious image through stimulating a sensory system. + + hedId + HED_0012130 + + + Hear + Give attention to a sound. + + hedId + HED_0012131 + + + + See + Direct gaze toward someone or something or in a specified direction. + + hedId + HED_0012132 + + + + Sense-by-touch + Sense something through receptors in the skin. + + hedId + HED_0012133 + + + + Smell + Inhale in order to ascertain an odor or scent. + + hedId + HED_0012134 + + + + Taste + Sense a flavor in the mouth and throat on contact with a substance. + + hedId + HED_0012135 + + + + + Perform + Carry out or accomplish an action, task, or function. + + hedId + HED_0012136 + + + Close + Act as to blocked against entry or passage. + + hedId + HED_0012137 + + + + Collide-with + Hit with force when moving. + + hedId + HED_0012138 + + + + Halt + Bring or come to an abrupt stop. + + hedId + HED_0012139 + + + + Modify + Change something. + + hedId + HED_0012140 + + + + Open + Widen an aperture, door, or gap, especially one allowing access to something. + + hedId + HED_0012141 + + + + Operate + Control the functioning of a machine, process, or system. + + hedId + HED_0012142 + + + + Play + Engage in activity for enjoyment and recreation rather than a serious or practical purpose. + + hedId + HED_0012143 + + + + Read + Interpret something that is written or printed. + + hedId + HED_0012144 + + + + Repeat + Make do or perform again. + + hedId + HED_0012145 + + + + Rest + Be inactive in order to regain strength, health, or energy. + + hedId + HED_0012146 + + + + Ride + Ride on an animal or in a vehicle. Ride conveys some notion that another agent has partial or total control of the motion. + + hedId + HED_0012147 + + + + Write + Communicate or express by means of letters or symbols written or imprinted on a surface. + + hedId + HED_0012148 + + + + + Think + Direct the mind toward someone or something or use the mind actively to form connected ideas. + + hedId + HED_0012149 + + + Allow + Allow access to something such as allowing a car to pass. + + hedId + HED_0012150 + + + + Attend-to + Focus mental experience on specific targets. + + hedId + HED_0012151 + + + + Count + Tally items either silently or aloud. + + hedId + HED_0012152 + + + + Deny + Refuse to give or grant something requested or desired by someone. + + hedId + HED_0012153 + + + + Detect + Discover or identify the presence or existence of something. + + hedId + HED_0012154 + + + + Discriminate + Recognize a distinction. + + hedId + HED_0012155 + + + + Encode + Convert information or an instruction into a particular form. + + hedId + HED_0012156 + + + + Evade + Escape or avoid, especially by cleverness or trickery. + + hedId + HED_0012157 + + + + Generate + Cause something, especially an emotion or situation to arise or come about. + + hedId + HED_0012158 + + + + Identify + Establish or indicate who or what someone or something is. + + hedId + HED_0012159 + + + + Imagine + Form a mental image or concept of something. + + hedId + HED_0012160 + + + + Judge + Evaluate evidence to make a decision or form a belief. + + hedId + HED_0012161 + + + + Learn + Adaptively change behavior as the result of experience. + + hedId + HED_0012162 + + + + Memorize + Adaptively change behavior as the result of experience. + + hedId + HED_0012163 + + + + Plan + Think about the activities required to achieve a desired goal. + + hedId + HED_0012164 + + + + Predict + Say or estimate that something will happen or will be a consequence of something without having exact information. + + hedId + HED_0012165 + + + + Recall + Remember information by mental effort. + + hedId + HED_0012166 + + + + Recognize + Identify someone or something from having encountered them before. + + hedId + HED_0012167 + + + + Respond + React to something such as a treatment or a stimulus. + + hedId + HED_0012168 + + + + Switch-attention + Transfer attention from one focus to another. + + hedId + HED_0012169 + + + + Track + Follow a person, animal, or object through space or time. + + hedId + HED_0012170 + + + + + + Item + An independently existing thing (living or nonliving). + + extensionAllowed + + + hedId + HED_0012171 + + + Biological-item + An entity that is biological, that is related to living organisms. + + hedId + HED_0012172 + + + Anatomical-item + A biological structure, system, fluid or other substance excluding single molecular entities. + + hedId + HED_0012173 + + + Body + The biological structure representing an organism. + + hedId + HED_0012174 + + + + Body-part + Any part of an organism. + + hedId + HED_0012175 + + + Head + The upper part of the human body, or the front or upper part of the body of an animal, typically separated from the rest of the body by a neck, and containing the brain, mouth, and sense organs. + + hedId + HED_0012176 + + + + Head-part + A part of the head. + + hedId + HED_0013200 + + + Brain + Organ inside the head that is made up of nerve cells and controls the body. + + hedId + HED_0012177 + + + + Brain-region + A region of the brain. + + hedId + HED_0013201 + + + Cerebellum + A major structure of the brain located near the brainstem. It plays a key role in motor control, coordination, precision, with contributions to different cognitive functions. + + hedId + HED_0013202 + + + + Frontal-lobe + + hedId + HED_0012178 + + + + Occipital-lobe + + hedId + HED_0012179 + + + + Parietal-lobe + + hedId + HED_0012180 + + + + Temporal-lobe + + hedId + HED_0012181 + + + + + Ear + A sense organ needed for the detection of sound and for establishing balance. + + hedId + HED_0012182 + + + + Face + The anterior portion of the head extending from the forehead to the chin and ear to ear. The facial structures contain the eyes, nose and mouth, cheeks and jaws. + + hedId + HED_0012183 + + + + Face-part + A part of the face. + + hedId + HED_0013203 + + + Cheek + The fleshy part of the face bounded by the eyes, nose, ear, and jawline. + + hedId + HED_0012184 + + + + Chin + The part of the face below the lower lip and including the protruding part of the lower jaw. + + hedId + HED_0012185 + + + + Eye + The organ of sight or vision. + + hedId + HED_0012186 + + + + Eyebrow + The arched strip of hair on the bony ridge above each eye socket. + + hedId + HED_0012187 + + + + Eyelid + The folds of the skin that cover the eye when closed. + + hedId + HED_0012188 + + + + Forehead + The part of the face between the eyebrows and the normal hairline. + + hedId + HED_0012189 + + + + Lip + Fleshy fold which surrounds the opening of the mouth. + + hedId + HED_0012190 + + + + Mouth + The proximal portion of the digestive tract, containing the oral cavity and bounded by the oral opening. + + hedId + HED_0012191 + + + + Mouth-part + A part of the mouth. + + hedId + HED_0013204 + + + Teeth + The hard bone-like structures in the jaws. A collection of teeth arranged in some pattern in the mouth or other part of the body. + + hedId + HED_0012193 + + + + Tongue + A muscular organ in the mouth with significant role in mastication, swallowing, speech, and taste. + + hedId + HED_0013205 + + + + + Nose + A structure of special sense serving as an organ of the sense of smell and as an entrance to the respiratory tract. + + hedId + HED_0012192 + + + + + Hair + The filamentous outgrowth of the epidermis. + + hedId + HED_0012194 + + + + + Lower-extremity + Refers to the whole inferior limb (leg and/or foot). + + hedId + HED_0012195 + + + + Lower-extremity-part + A part of the lower extremity. + + hedId + HED_0013206 + + + Ankle + A gliding joint between the distal ends of the tibia and fibula and the proximal end of the talus. + + hedId + HED_0012196 + + + + Foot + The structure found below the ankle joint required for locomotion. + + hedId + HED_0012198 + + + + Foot-part + A part of the foot. + + hedId + HED_0013207 + + + Heel + The back of the foot below the ankle. + + hedId + HED_0012200 + + + + Instep + The part of the foot between the ball and the heel on the inner side. + + hedId + HED_0012201 + + + + Toe + A digit of the foot. + + hedId + HED_0013208 + + + Big-toe + The largest toe on the inner side of the foot. + + hedId + HED_0012199 + + + + Little-toe + The smallest toe located on the outer side of the foot. + + hedId + HED_0012202 + + + + + Toes + The terminal digits of the foot. Used to describe collective attributes of all toes, such as bending all toes + + relatedTag + Toe + + + hedId + HED_0012203 + + + + + Knee + A joint connecting the lower part of the femur with the upper part of the tibia. + + hedId + HED_0012204 + + + + Lower-leg + The part of the leg between the knee and the ankle. + + hedId + HED_0013209 + + + + Lower-leg-part + A part of the lower leg. + + hedId + HED_0013210 + + + Calf + The fleshy part at the back of the leg below the knee. + + hedId + HED_0012197 + + + + Shin + Front part of the leg below the knee. + + hedId + HED_0012205 + + + + + Upper-leg + The part of the leg between the hip and the knee. + + hedId + HED_0013211 + + + + Upper-leg-part + A part of the upper leg. + + hedId + HED_0013212 + + + Thigh + Upper part of the leg between hip and knee. + + hedId + HED_0012206 + + + + + + Neck + The part of the body connecting the head to the torso, containing the cervical spine and vital pathways of nerves, blood vessels, and the airway. + + hedId + HED_0013213 + + + + Torso + The body excluding the head and neck and limbs. + + hedId + HED_0012207 + + + + Torso-part + A part of the torso. + + hedId + HED_0013214 + + + Abdomen + The part of the body between the thorax and the pelvis. + + hedId + HED_0013215 + + + + Navel + The central mark on the abdomen created by the detachment of the umbilical cord after birth. + + hedId + HED_0013216 + + + + Pelvis + The bony structure at the base of the spine supporting the legs. + + hedId + HED_0013217 + + + + Pelvis-part + A part of the pelvis. + + hedId + HED_0013218 + + + Buttocks + The round fleshy parts that form the lower rear area of a human trunk. + + hedId + HED_0012208 + + + + Genitalia + The external organs of reproduction and urination, located in the pelvic region. This includes both male and female genital structures. + + hedId + HED_0013219 + + + + Gentalia + The external organs of reproduction. Deprecated due to spelling error. Use Genitalia. + + deprecatedFrom + 8.1.0 + + + hedId + HED_0012209 + + + + Hip + The lateral prominence of the pelvis from the waist to the thigh. + + hedId + HED_0012210 + + + + + Torso-back + The rear surface of the human body from the shoulders to the hips. + + hedId + HED_0012211 + + + + Torso-chest + The anterior side of the thorax from the neck to the abdomen. + + hedId + HED_0012212 + + + + Viscera + Internal organs of the body. + + hedId + HED_0012213 + + + + Waist + The abdominal circumference at the navel. + + hedId + HED_0012214 + + + + + Upper-extremity + Refers to the whole superior limb (shoulder, arm, elbow, wrist, hand). + + hedId + HED_0012215 + + + + Upper-extremity-part + A part of the upper extremity. + + hedId + HED_0013220 + + + Elbow + A type of hinge joint located between the forearm and upper arm. + + hedId + HED_0012216 + + + + Forearm + Lower part of the arm between the elbow and wrist. + + hedId + HED_0012217 + + + + Forearm-part + A part of the forearm. + + hedId + HED_0013221 + + + + Hand + The distal portion of the upper extremity. It consists of the carpus, metacarpus, and digits. + + hedId + HED_0012218 + + + + Hand-part + A part of the hand. + + hedId + HED_0013222 + + + Finger + Any of the digits of the hand. + + hedId + HED_0012219 + + + Index-finger + The second finger from the radial side of the hand, next to the thumb. + + hedId + HED_0012220 + + + + Little-finger + The fifth and smallest finger from the radial side of the hand. + + hedId + HED_0012221 + + + + Middle-finger + The middle or third finger from the radial side of the hand. + + hedId + HED_0012222 + + + + Ring-finger + The fourth finger from the radial side of the hand. + + hedId + HED_0012223 + + + + Thumb + The thick and short hand digit which is next to the index finger in humans. + + hedId + HED_0012224 + + + + + Fingers + The terminal digits of the hand. Used to describe collective attributes of all fingers, such as bending all fingers + + relatedTag + Finger + + + hedId + HED_0013223 + + + + Knuckles + A part of a finger at a joint where the bone is near the surface, especially where the finger joins the hand. + + hedId + HED_0012225 + + + + Palm + The part of the inner surface of the hand that extends from the wrist to the bases of the fingers. + + hedId + HED_0012226 + + + + + Shoulder + Joint attaching upper arm to trunk. + + hedId + HED_0012227 + + + + Upper-arm + Portion of arm between shoulder and elbow. + + hedId + HED_0012228 + + + + Upper-arm-part + A part of the upper arm. + + hedId + HED_0013224 + + + + Wrist + A joint between the distal end of the radius and the proximal row of carpal bones. + + hedId + HED_0012229 + + + + + + + Organism + A living entity, more specifically a biological entity that consists of one or more cells and is capable of genomic replication (independently or not). + + hedId + HED_0012230 + + + Animal + A living organism that has membranous cell walls, requires oxygen and organic foods, and is capable of voluntary movement. + + hedId + HED_0012231 + + + + Human + The bipedal primate mammal Homo sapiens. + + hedId + HED_0012232 + + + + Plant + Any living organism that typically synthesizes its food from inorganic substances and possesses cellulose cell walls. + + hedId + HED_0012233 + + + + + + Language-item + An entity related to a systematic means of communicating by the use of sounds, symbols, or gestures. + + suggestedTag + Sensory-presentation + + + hedId + HED_0012234 + + + Character + A mark or symbol used in writing. + + hedId + HED_0012235 + + + + Clause + A unit of grammatical organization next below the sentence in rank, usually consisting of a subject and predicate. + + hedId + HED_0012236 + + + + Glyph + A hieroglyphic character, symbol, or pictograph. + + hedId + HED_0012237 + + + + Nonword + An unpronounceable group of letters or speech sounds that is surrounded by white space when written, is not accepted as a word by native speakers. + + hedId + HED_0012238 + + + + Paragraph + A distinct section of a piece of writing, usually dealing with a single theme. + + hedId + HED_0012239 + + + + Phoneme + Any of the minimally distinct units of sound in a specified language that distinguish one word from another. + + hedId + HED_0012240 + + + + Phrase + A phrase is a group of words functioning as a single unit in the syntax of a sentence. + + hedId + HED_0012241 + + + + Pseudoword + A pronounceable group of letters or speech sounds that looks or sounds like a word but that is not accepted as such by native speakers. + + hedId + HED_0012242 + + + + Sentence + A set of words that is complete in itself, conveying a statement, question, exclamation, or command and typically containing an explicit or implied subject and a predicate containing a finite verb. + + hedId + HED_0012243 + + + + Syllable + A unit of pronunciation having a vowel or consonant sound, with or without surrounding consonants, forming the whole or a part of a word. + + hedId + HED_0012244 + + + + Textblock + A block of text. + + hedId + HED_0012245 + + + + Word + A single distinct meaningful element of speech or writing, used with others (or sometimes alone) to form a sentence and typically surrounded by white space when written or printed. + + hedId + HED_0012246 + + + + + Object + Something perceptible by one or more of the senses, especially by vision or touch. A material thing. + + suggestedTag + Sensory-presentation + + + hedId + HED_0012247 + + + Geometric-object + An object or a representation that has structure and topology in space. + + hedId + HED_0012248 + + + 2D-shape + A planar, two-dimensional shape. + + hedId + HED_0012249 + + + Arrow + A shape with a pointed end indicating direction. + + hedId + HED_0012250 + + + + Clockface + The dial face of a clock. A location identifier based on clock-face-position numbering or anatomic subregion. + + hedId + HED_0012251 + + + + Cross + A figure or mark formed by two intersecting lines crossing at their midpoints. + + hedId + HED_0012252 + + + + Dash + A horizontal stroke in writing or printing to mark a pause or break in sense or to represent omitted letters or words. + + hedId + HED_0012253 + + + + Ellipse + A closed plane curve resulting from the intersection of a circular cone and a plane cutting completely through it, especially a plane not parallel to the base. + + hedId + HED_0012254 + + + Circle + A ring-shaped structure with every point equidistant from the center. + + hedId + HED_0012255 + + + + + Rectangle + A parallelogram with four right angles. + + hedId + HED_0012256 + + + Square + A square is a special rectangle with four equal sides. + + hedId + HED_0012257 + + + + + Single-point + A point is a geometric entity that is located in a zero-dimensional spatial region and whose position is defined by its coordinates in some coordinate system. + + hedId + HED_0012258 + + + + Star + A conventional or stylized representation of a star, typically one having five or more points. + + hedId + HED_0012259 + + + + Triangle + A three-sided polygon. + + hedId + HED_0012260 + + + + + 3D-shape + A geometric three-dimensional shape. + + hedId + HED_0012261 + + + Box + A square or rectangular vessel, usually made of cardboard or plastic. + + hedId + HED_0012262 + + + Cube + A solid or semi-solid in the shape of a three dimensional square. + + hedId + HED_0012263 + + + + + Cone + A shape whose base is a circle and whose sides taper up to a point. + + hedId + HED_0012264 + + + + Cylinder + A surface formed by circles of a given radius that are contained in a plane perpendicular to a given axis, whose centers align on the axis. + + hedId + HED_0012265 + + + + Ellipsoid + A closed plane curve resulting from the intersection of a circular cone and a plane cutting completely through it, especially a plane not parallel to the base. + + hedId + HED_0012266 + + + Sphere + A solid or hollow three-dimensional object bounded by a closed surface such that every point on the surface is equidistant from the center. + + hedId + HED_0012267 + + + + + Pyramid + A polyhedron of which one face is a polygon of any number of sides, and the other faces are triangles with a common vertex. + + hedId + HED_0012268 + + + + + Pattern + An arrangement of objects, facts, behaviors, or other things which have scientific, mathematical, geometric, statistical, or other meaning. + + hedId + HED_0012269 + + + Dots + A small round mark or spot. + + hedId + HED_0012270 + + + + LED-pattern + A pattern created by lighting selected members of a fixed light emitting diode array. + + hedId + HED_0012271 + + + + + + Ingestible-object + Something that can be taken into the body by the mouth for digestion or absorption. + + hedId + HED_0012272 + + + + Man-made-object + Something constructed by human means. + + hedId + HED_0012273 + + + Building + A structure that has a roof and walls and stands more or less permanently in one place. + + hedId + HED_0012274 + + + Attic + A room or a space immediately below the roof of a building. + + hedId + HED_0012275 + + + + Basement + The part of a building that is wholly or partly below ground level. + + hedId + HED_0012276 + + + + Entrance + The means or place of entry. + + hedId + HED_0012277 + + + + Roof + A roof is the covering on the uppermost part of a building which provides protection from animals and weather, notably rain, but also heat, wind and sunlight. + + hedId + HED_0012278 + + + + Room + An area within a building enclosed by walls and floor and ceiling. + + hedId + HED_0012279 + + + + + Clothing + A covering designed to be worn on the body. + + hedId + HED_0012280 + + + + Device + An object contrived for a specific purpose. + + hedId + HED_0012281 + + + Assistive-device + A device that help an individual accomplish a task. + + hedId + HED_0012282 + + + Glasses + Frames with lenses worn in front of the eye for vision correction, eye protection, or protection from UV rays. + + hedId + HED_0012283 + + + + Writing-device + A device used for writing. + + hedId + HED_0012284 + + + Pen + A common writing instrument used to apply ink to a surface for writing or drawing. + + hedId + HED_0012285 + + + + Pencil + An implement for writing or drawing that is constructed of a narrow solid pigment core in a protective casing that prevents the core from being broken or marking the hand. + + hedId + HED_0012286 + + + + + + Computing-device + An electronic device which take inputs and processes results from the inputs. + + hedId + HED_0012287 + + + Cellphone + A telephone with access to a cellular radio system so it can be used over a wide area, without a physical connection to a network. + + hedId + HED_0012288 + + + + Desktop-computer + A computer suitable for use at an ordinary desk. + + hedId + HED_0012289 + + + + Laptop-computer + A computer that is portable and suitable for use while traveling. + + hedId + HED_0012290 + + + + Tablet-computer + A small portable computer that accepts input directly on to its screen rather than via a keyboard or mouse. + + hedId + HED_0012291 + + + + + Engine + A motor is a machine designed to convert one or more forms of energy into mechanical energy. + + hedId + HED_0012292 + + + + IO-device + Hardware used by a human (or other system) to communicate with a computer. + + hedId + HED_0012293 + + + Input-device + A piece of equipment used to provide data and control signals to an information processing system such as a computer or information appliance. + + hedId + HED_0012294 + + + Computer-mouse + A hand-held pointing device that detects two-dimensional motion relative to a surface. + + hedId + HED_0012295 + + + Mouse-button + An electric switch on a computer mouse which can be pressed or clicked to select or interact with an element of a graphical user interface. + + hedId + HED_0012296 + + + + Scroll-wheel + A scroll wheel or mouse wheel is a wheel used for scrolling made of hard plastic with a rubbery surface usually located between the left and right mouse buttons and is positioned perpendicular to the mouse surface. + + hedId + HED_0012297 + + + + + Joystick + A control device that uses a movable handle to create two-axis input for a computer device. + + hedId + HED_0012298 + + + + Keyboard + A device consisting of mechanical keys that are pressed to create input to a computer. + + hedId + HED_0012299 + + + Keyboard-key + A button on a keyboard usually representing letters, numbers, functions, or symbols. + + hedId + HED_0012300 + + + # + Value of a keyboard key. + + takesValue + + + hedId + HED_0012301 + + + + + + Keypad + A device consisting of keys, usually in a block arrangement, that provides limited input to a system. + + hedId + HED_0012302 + + + Keypad-key + A key on a separate section of a computer keyboard that groups together numeric keys and those for mathematical or other special functions in an arrangement like that of a calculator. + + hedId + HED_0012303 + + + # + Value of keypad key. + + takesValue + + + hedId + HED_0012304 + + + + + + Microphone + A device designed to convert sound to an electrical signal. + + hedId + HED_0012305 + + + + Push-button + A switch designed to be operated by pressing a button. + + hedId + HED_0012306 + + + + + Output-device + Any piece of computer hardware equipment which converts information into human understandable form. + + hedId + HED_0012307 + + + Auditory-device + A device designed to produce sound. + + hedId + HED_0012308 + + + Headphones + An instrument that consists of a pair of small loudspeakers, or less commonly a single speaker, held close to ears and connected to a signal source such as an audio amplifier, radio, CD player or portable media player. + + hedId + HED_0012309 + + + + Loudspeaker + A device designed to convert electrical signals to sounds that can be heard. + + hedId + HED_0012310 + + + + + Display-device + An output device for presentation of information in visual or tactile form the latter used for example in tactile electronic displays for blind people. + + hedId + HED_0012311 + + + Computer-screen + An electronic device designed as a display or a physical device designed to be a protective mesh work. + + hedId + HED_0012312 + + + Screen-window + A part of a computer screen that contains a display different from the rest of the screen. A window is a graphical control element consisting of a visual area containing some of the graphical user interface of the program it belongs to and is framed by a window decoration. + + hedId + HED_0012313 + + + + + Head-mounted-display + An instrument that functions as a display device, worn on the head or as part of a helmet, that has a small display optic in front of one (monocular HMD) or each eye (binocular HMD). + + hedId + HED_0012314 + + + + LED-display + A LED display is a flat panel display that uses an array of light-emitting diodes as pixels for a video display. + + hedId + HED_0012315 + + + + + + Recording-device + A device that copies information in a signal into a persistent information bearer. + + hedId + HED_0012316 + + + EEG-recorder + A device for recording electric currents in the brain using electrodes applied to the scalp, to the surface of the brain, or placed within the substance of the brain. + + hedId + HED_0012317 + + + + EMG-recorder + A device for recording electrical activity of muscles using electrodes on the body surface or within the muscular mass. + + hedId + HED_0013225 + + + + File-storage + A device for recording digital information to a permanent media. + + hedId + HED_0012318 + + + + MEG-recorder + A device for measuring the magnetic fields produced by electrical activity in the brain, usually conducted externally. + + hedId + HED_0012319 + + + + Motion-capture + A device for recording the movement of objects or people. + + hedId + HED_0012320 + + + + Tape-recorder + A device for recording and reproduction usually using magnetic tape for storage that can be saved and played back. + + hedId + HED_0012321 + + + + + Touchscreen + A control component that operates an electronic device by pressing the display on the screen. + + hedId + HED_0012322 + + + + + Machine + A human-made device that uses power to apply forces and control movement to perform an action. + + hedId + HED_0012323 + + + + Measurement-device + A device that measures something. + + hedId + HED_0012324 + + + Clock + A device designed to indicate the time of day or to measure the time duration of an event or action. + + hedId + HED_0012325 + + + + + Robot + A mechanical device that sometimes resembles a living animal and is capable of performing a variety of often complex human tasks on command or by being programmed in advance. + + hedId + HED_0012327 + + + + Tool + A component that is not part of a device but is designed to support its assembly or operation. + + hedId + HED_0012328 + + + + + Document + A physical object, or electronic counterpart, that is characterized by containing writing which is meant to be human-readable. + + hedId + HED_0012329 + + + Book + A volume made up of pages fastened along one edge and enclosed between protective covers. + + hedId + HED_0012330 + + + + Letter + A written message addressed to a person or organization. + + hedId + HED_0012331 + + + + Note + A brief written record. + + hedId + HED_0012332 + + + + Notebook + A book for notes or memoranda. + + hedId + HED_0012333 + + + + Questionnaire + A document consisting of questions and possibly responses, depending on whether it has been filled out. + + hedId + HED_0012334 + + + + + Furnishing + Furniture, fittings, and other decorative accessories, such as curtains and carpets, for a house or room. + + hedId + HED_0012335 + + + + Manufactured-material + Substances created or extracted from raw materials. + + hedId + HED_0012336 + + + Ceramic + A hard, brittle, heat-resistant and corrosion-resistant material made by shaping and then firing a nonmetallic mineral, such as clay, at a high temperature. + + hedId + HED_0012337 + + + + Glass + A brittle transparent solid with irregular atomic structure. + + hedId + HED_0012338 + + + + Paper + A thin sheet material produced by mechanically or chemically processing cellulose fibres derived from wood, rags, grasses or other vegetable sources in water. + + hedId + HED_0012339 + + + + Plastic + Various high-molecular-weight thermoplastic or thermo-setting polymers that are capable of being molded, extruded, drawn, or otherwise shaped and then hardened into a form. + + hedId + HED_0012340 + + + + Steel + An alloy made up of iron with typically a few tenths of a percent of carbon to improve its strength and fracture resistance compared to iron. + + hedId + HED_0012341 + + + + + Media + Media are audio/visual/audiovisual modes of communicating information for mass consumption. + + hedId + HED_0012342 + + + Media-clip + A short segment of media. + + hedId + HED_0012343 + + + Audio-clip + A short segment of audio. + + hedId + HED_0012344 + + + + Audiovisual-clip + A short media segment containing both audio and video. + + hedId + HED_0012345 + + + + Video-clip + A short segment of video. + + hedId + HED_0012346 + + + + + Visualization + An planned process that creates images, diagrams or animations from the input data. + + hedId + HED_0012347 + + + Animation + A form of graphical illustration that changes with time to give a sense of motion or represent dynamic changes in the portrayal. + + hedId + HED_0012348 + + + + Art-installation + A large-scale, mixed-media constructions, often designed for a specific place or for a temporary period of time. + + hedId + HED_0012349 + + + + Braille + A display using a system of raised dots that can be read with the fingers by people who are blind. + + hedId + HED_0012350 + + + + Image + Any record of an imaging event whether physical or electronic. + + hedId + HED_0012351 + + + Cartoon + A type of illustration, sometimes animated, typically in a non-realistic or semi-realistic style. The specific meaning has evolved over time, but the modern usage usually refers to either an image or series of images intended for satire, caricature, or humor. A motion picture that relies on a sequence of illustrations for its animation. + + hedId + HED_0012352 + + + + Drawing + A representation of an object or outlining a figure, plan, or sketch by means of lines. + + hedId + HED_0012353 + + + + Icon + A sign (such as a word or graphic symbol) whose form suggests its meaning. + + hedId + HED_0012354 + + + + Painting + A work produced through the art of painting. + + hedId + HED_0012355 + + + + Photograph + An image recorded by a camera. + + hedId + HED_0012356 + + + + + Movie + A sequence of images displayed in succession giving the illusion of continuous movement. + + hedId + HED_0012357 + + + + Outline-visualization + A visualization consisting of a line or set of lines enclosing or indicating the shape of an object in a sketch or diagram. + + hedId + HED_0012358 + + + + Point-light-visualization + A display in which action is depicted using a few points of light, often generated from discrete sensors in motion capture. + + hedId + HED_0012359 + + + + Sculpture + A two- or three-dimensional representative or abstract forms, especially by carving stone or wood or by casting metal or plaster. + + hedId + HED_0012360 + + + + Stick-figure-visualization + A drawing showing the head of a human being or animal as a circle and all other parts as straight lines. + + hedId + HED_0012361 + + + + + + Navigational-object + An object whose purpose is to assist directed movement from one location to another. + + hedId + HED_0012362 + + + Path + A trodden way. A way or track laid down for walking or made by continual treading. + + hedId + HED_0012363 + + + + Road + An open way for the passage of vehicles, persons, or animals on land. + + hedId + HED_0012364 + + + Lane + A defined path with physical dimensions through which an object or substance may traverse. + + hedId + HED_0012365 + + + + + Runway + A paved strip of ground on a landing field for the landing and takeoff of aircraft. + + hedId + HED_0012366 + + + + + Vehicle + A mobile machine which transports people or cargo. + + hedId + HED_0012367 + + + Aircraft + A vehicle which is able to travel through air in an atmosphere. + + hedId + HED_0012368 + + + + Bicycle + A human-powered, pedal-driven, single-track vehicle, having two wheels attached to a frame, one behind the other. + + hedId + HED_0012369 + + + + Boat + A watercraft of any size which is able to float or plane on water. + + hedId + HED_0012370 + + + + Car + A wheeled motor vehicle used primarily for the transportation of human passengers. + + hedId + HED_0012371 + + + + Cart + A cart is a vehicle which has two wheels and is designed to transport human passengers or cargo. + + hedId + HED_0012372 + + + + Tractor + A mobile machine specifically designed to deliver a high tractive effort at slow speeds, and mainly used for the purposes of hauling a trailer or machinery used in agriculture or construction. + + hedId + HED_0012373 + + + + Train + A connected line of railroad cars with or without a locomotive. + + hedId + HED_0012374 + + + + Truck + A motor vehicle which, as its primary function, transports cargo rather than human passengers. + + hedId + HED_0012375 + + + + + + Natural-object + Something that exists in or is produced by nature, and is not artificial or man-made. + + hedId + HED_0012376 + + + Mineral + A solid, homogeneous, inorganic substance occurring in nature and having a definite chemical composition. + + hedId + HED_0012377 + + + + Natural-feature + A feature that occurs in nature. A prominent or identifiable aspect, region, or site of interest. + + hedId + HED_0012378 + + + Field + An unbroken expanse as of ice or grassland. + + hedId + HED_0012379 + + + + Hill + A rounded elevation of limited extent rising above the surrounding land with local relief of less than 300m. + + hedId + HED_0012380 + + + + Mountain + A landform that extends above the surrounding terrain in a limited area. + + hedId + HED_0012381 + + + + River + A natural freshwater surface stream of considerable volume and a permanent or seasonal flow, moving in a definite channel toward a sea, lake, or another river. + + hedId + HED_0012382 + + + + Waterfall + A sudden descent of water over a step or ledge in the bed of a river. + + hedId + HED_0012383 + + + + + + + Sound + Mechanical vibrations transmitted by an elastic medium. Something that can be heard. + + hedId + HED_0012384 + + + Environmental-sound + Sounds occurring in the environment. An accumulation of noise pollution that occurs outside. This noise can be caused by transport, industrial, and recreational activities. + + hedId + HED_0012385 + + + Crowd-sound + Noise produced by a mixture of sounds from a large group of people. + + hedId + HED_0012386 + + + + Signal-noise + Any part of a signal that is not the true or original signal but is introduced by the communication mechanism. + + hedId + HED_0012387 + + + + + Musical-sound + Sound produced by continuous and regular vibrations, as opposed to noise. + + hedId + HED_0012388 + + + Instrument-sound + Sound produced by a musical instrument. + + hedId + HED_0012389 + + + + Tone + A musical note, warble, or other sound used as a particular signal on a telephone or answering machine. + + hedId + HED_0012390 + + + + Vocalized-sound + Musical sound produced by vocal cords in a biological agent. + + hedId + HED_0012391 + + + + + Named-animal-sound + A sound recognizable as being associated with particular animals. + + hedId + HED_0012392 + + + Barking + Sharp explosive cries like sounds made by certain animals, especially a dog, fox, or seal. + + hedId + HED_0012393 + + + + Bleating + Wavering cries like sounds made by a sheep, goat, or calf. + + hedId + HED_0012394 + + + + Chirping + Short, sharp, high-pitched noises like sounds made by small birds or an insects. + + hedId + HED_0012395 + + + + Crowing + Loud shrill sounds characteristic of roosters. + + hedId + HED_0012396 + + + + Growling + Low guttural sounds like those that made in the throat by a hostile dog or other animal. + + hedId + HED_0012397 + + + + Meowing + Vocalizations like those made by as those cats. These sounds have diverse tones and are sometimes chattered, murmured or whispered. The purpose can be assertive. + + hedId + HED_0012398 + + + + Mooing + Deep vocal sounds like those made by a cow. + + hedId + HED_0012399 + + + + Purring + Low continuous vibratory sound such as those made by cats. The sound expresses contentment. + + hedId + HED_0012400 + + + + Roaring + Loud, deep, or harsh prolonged sounds such as those made by big cats and bears for long-distance communication and intimidation. + + hedId + HED_0012401 + + + + Squawking + Loud, harsh noises such as those made by geese. + + hedId + HED_0012402 + + + + + Named-object-sound + A sound identifiable as coming from a particular type of object. + + hedId + HED_0012403 + + + Alarm-sound + A loud signal often loud continuous ringing to alert people to a problem or condition that requires urgent attention. + + hedId + HED_0012404 + + + + Beep + A short, single tone, that is typically high-pitched and generally made by a computer or other machine. + + hedId + HED_0012405 + + + + Buzz + A persistent vibratory sound often made by a buzzer device and used to indicate something incorrect. + + hedId + HED_0012406 + + + + Click + The sound made by a mechanical cash register, often to designate a reward. + + hedId + HED_0012407 + + + + Ding + A short ringing sound such as that made by a bell, often to indicate a correct response or the expiration of time. + + hedId + HED_0012408 + + + + Horn-blow + A loud sound made by forcing air through a sound device that funnels air to create the sound, often used to sound an alert. + + hedId + HED_0012409 + + + + Ka-ching + The sound made by a mechanical cash register, often to designate a reward. + + hedId + HED_0012410 + + + + Siren + A loud, continuous sound often varying in frequency designed to indicate an emergency. + + hedId + HED_0012411 + + + + + + + Property + Something that pertains to a thing. A characteristic of some entity. A quality or feature regarded as a characteristic or inherent part of someone or something. HED attributes are adjectives or adverbs. + + extensionAllowed + + + hedId + HED_0012412 + + + Agent-property + Something that pertains to or describes an agent. + + hedId + HED_0012413 + + + Agent-state + The state of the agent. + + hedId + HED_0012414 + + + Agent-cognitive-state + The state of the cognitive processes or state of mind of the agent. + + hedId + HED_0012415 + + + Alert + Condition of heightened watchfulness or preparation for action. + + hedId + HED_0012416 + + + + Anesthetized + Having lost sensation to pain or having senses dulled due to the effects of an anesthetic. + + hedId + HED_0012417 + + + + Asleep + Having entered a periodic, readily reversible state of reduced awareness and metabolic activity, usually accompanied by physical relaxation and brain activity. + + hedId + HED_0012418 + + + + Attentive + Concentrating and focusing mental energy on the task or surroundings. + + hedId + HED_0012419 + + + + Awake + In a non sleeping state. + + hedId + HED_0012420 + + + + Brain-dead + Characterized by the irreversible absence of cortical and brain stem functioning. + + hedId + HED_0012421 + + + + Comatose + In a state of profound unconsciousness associated with markedly depressed cerebral activity. + + hedId + HED_0012422 + + + + Distracted + Lacking in concentration because of being preoccupied. + + hedId + HED_0012423 + + + + Drowsy + In a state of near-sleep, a strong desire for sleep, or sleeping for unusually long periods. + + hedId + HED_0012424 + + + + Intoxicated + In a state with disturbed psychophysiological functions and responses as a result of administration or ingestion of a psychoactive substance. + + hedId + HED_0012425 + + + + Locked-in + In a state of complete paralysis of all voluntary muscles except for the ones that control the movements of the eyes. + + hedId + HED_0012426 + + + + Passive + Not responding or initiating an action in response to a stimulus. + + hedId + HED_0012427 + + + + Resting + A state in which the agent is not exhibiting any physical exertion. + + hedId + HED_0012428 + + + + Vegetative + A state of wakefulness and conscience, but (in contrast to coma) with involuntary opening of the eyes and movements (such as teeth grinding, yawning, or thrashing of the extremities). + + hedId + HED_0012429 + + + + + Agent-emotional-state + The status of the general temperament and outlook of an agent. + + hedId + HED_0012430 + + + Angry + Experiencing emotions characterized by marked annoyance or hostility. + + hedId + HED_0012431 + + + + Aroused + In a state reactive to stimuli leading to increased heart rate and blood pressure, sensory alertness, mobility and readiness to respond. + + hedId + HED_0012432 + + + + Awed + Filled with wonder. Feeling grand, sublime or powerful emotions characterized by a combination of joy, fear, admiration, reverence, and/or respect. + + hedId + HED_0012433 + + + + Compassionate + Feeling or showing sympathy and concern for others often evoked for a person who is in distress and associated with altruistic motivation. + + hedId + HED_0012434 + + + + Content + Feeling satisfaction with things as they are. + + hedId + HED_0012435 + + + + Disgusted + Feeling revulsion or profound disapproval aroused by something unpleasant or offensive. + + hedId + HED_0012436 + + + + Emotionally-neutral + Feeling neither satisfied nor dissatisfied. + + hedId + HED_0012437 + + + + Empathetic + Understanding and sharing the feelings of another. Being aware of, being sensitive to, and vicariously experiencing the feelings, thoughts, and experience of another. + + hedId + HED_0012438 + + + + Excited + Feeling great enthusiasm and eagerness. + + hedId + HED_0012439 + + + + Fearful + Feeling apprehension that one may be in danger. + + hedId + HED_0012440 + + + + Frustrated + Feeling annoyed as a result of being blocked, thwarted, disappointed or defeated. + + hedId + HED_0012441 + + + + Grieving + Feeling sorrow in response to loss, whether physical or abstract. + + hedId + HED_0012442 + + + + Happy + Feeling pleased and content. + + hedId + HED_0012443 + + + + Jealous + Feeling threatened by a rival in a relationship with another individual, in particular an intimate partner, usually involves feelings of threat, fear, suspicion, distrust, anxiety, anger, betrayal, and rejection. + + hedId + HED_0012444 + + + + Joyful + Feeling delight or intense happiness. + + hedId + HED_0012445 + + + + Loving + Feeling a strong positive emotion of affection and attraction. + + hedId + HED_0012446 + + + + Relieved + No longer feeling pain, distress,anxiety, or reassured. + + hedId + HED_0012447 + + + + Sad + Feeling grief or unhappiness. + + hedId + HED_0012448 + + + + Stressed + Experiencing mental or emotional strain or tension. + + hedId + HED_0012449 + + + + + Agent-physiological-state + Having to do with the mechanical, physical, or biochemical function of an agent. + + hedId + HED_0012450 + + + Catamenial + Related to menstruation. + + hedId + HED_0013226 + + + + Fever + Body temperature above the normal range. + + relatedTag + Sick + + + hedId + HED_0013227 + + + + Healthy + Having no significant health-related issues. + + relatedTag + Sick + + + hedId + HED_0012451 + + + + Hungry + Being in a state of craving or desiring food. + + relatedTag + Sated + Thirsty + + + hedId + HED_0012452 + + + + Rested + Feeling refreshed and relaxed. + + relatedTag + Tired + + + hedId + HED_0012453 + + + + Sated + Feeling full. + + relatedTag + Hungry + + + hedId + HED_0012454 + + + + Sick + Being in a state of ill health, bodily malfunction, or discomfort. + + relatedTag + Healthy + + + hedId + HED_0012455 + + + + Thirsty + Feeling a need to drink. + + relatedTag + Hungry + + + hedId + HED_0012456 + + + + Tired + Feeling in need of sleep or rest. + + relatedTag + Rested + + + hedId + HED_0012457 + + + + + Agent-postural-state + Pertaining to the position in which agent holds their body. + + hedId + HED_0012458 + + + Crouching + Adopting a position where the knees are bent and the upper body is brought forward and down, sometimes to avoid detection or to defend oneself. + + hedId + HED_0012459 + + + + Eyes-closed + Keeping eyes closed with no blinking. + + hedId + HED_0012460 + + + + Eyes-open + Keeping eyes open with occasional blinking. + + hedId + HED_0012461 + + + + Kneeling + Positioned where one or both knees are on the ground. + + hedId + HED_0012462 + + + + On-treadmill + Ambulation on an exercise apparatus with an endless moving belt to support moving in place. + + hedId + HED_0012463 + + + + Prone + Positioned in a recumbent body position whereby the person lies on its stomach and faces downward. + + hedId + HED_0012464 + + + + Seated-with-chin-rest + Using a device that supports the chin and head. + + hedId + HED_0012465 + + + + Sitting + In a seated position. + + hedId + HED_0012466 + + + + Standing + Assuming or maintaining an erect upright position. + + hedId + HED_0012467 + + + + + + Agent-task-role + The function or part that is ascribed to an agent in performing the task. + + hedId + HED_0012468 + + + Experiment-actor + An agent who plays a predetermined role to create the experiment scenario. + + hedId + HED_0012469 + + + + Experiment-controller + An agent exerting control over some aspect of the experiment. + + hedId + HED_0012470 + + + + Experiment-participant + Someone who takes part in an activity related to an experiment. + + hedId + HED_0012471 + + + + Experimenter + Person who is the owner of the experiment and has its responsibility. + + hedId + HED_0012472 + + + + + Agent-trait + A genetically, environmentally, or socially determined characteristic of an agent. + + hedId + HED_0012473 + + + Age + Length of time elapsed time since birth of the agent. + + hedId + HED_0012474 + + + # + + takesValue + + + valueClass + numericClass + + + hedId + HED_0012475 + + + + + Agent-experience-level + Amount of skill or knowledge that the agent has as pertains to the task. + + hedId + HED_0012476 + + + Expert-level + Having comprehensive and authoritative knowledge of or skill in a particular area related to the task. + + relatedTag + Intermediate-experience-level + Novice-level + + + hedId + HED_0012477 + + + + Intermediate-experience-level + Having a moderate amount of knowledge or skill related to the task. + + relatedTag + Expert-level + Novice-level + + + hedId + HED_0012478 + + + + Novice-level + Being inexperienced in a field or situation related to the task. + + relatedTag + Expert-level + Intermediate-experience-level + + + hedId + HED_0012479 + + + + + Ethnicity + Belong to a social group that has a common national or cultural tradition. Use with Label to avoid extension. + + hedId + HED_0012480 + + + + Gender + Characteristics that are socially constructed, including norms, behaviors, and roles based on sex. + + hedId + HED_0012481 + + + + Handedness + Individual preference for use of a hand, known as the dominant hand. + + hedId + HED_0012482 + + + Ambidextrous + Having no overall dominance in the use of right or left hand or foot in the performance of tasks that require one hand or foot. + + hedId + HED_0012483 + + + + Left-handed + Preference for using the left hand or foot for tasks requiring the use of a single hand or foot. + + hedId + HED_0012484 + + + + Right-handed + Preference for using the right hand or foot for tasks requiring the use of a single hand or foot. + + hedId + HED_0012485 + + + + + Race + Belonging to a group sharing physical or social qualities as defined within a specified society. Use with Label to avoid extension. + + hedId + HED_0012486 + + + + Sex + Physical properties or qualities by which male is distinguished from female. + + hedId + HED_0012487 + + + Female + Biological sex of an individual with female sexual organs such ova. + + hedId + HED_0012488 + + + + Intersex + Having genitalia and/or secondary sexual characteristics of indeterminate sex. + + hedId + HED_0012489 + + + + Male + Biological sex of an individual with male sexual organs producing sperm. + + hedId + HED_0012490 + + + + Other-sex + A non-specific designation of sexual traits. + + hedId + HED_0012491 + + + + + + + Data-property + Something that pertains to data or information. + + extensionAllowed + + + hedId + HED_0012492 + + + Data-artifact + An anomalous, interfering, or distorting signal originating from a source other than the item being studied. + + hedId + HED_0012493 + + + Biological-artifact + A data artifact arising from a biological entity being measured. + + hedId + HED_0012494 + + + Chewing-artifact + Artifact from moving the jaw in a chewing motion. + + hedId + HED_0012495 + + + + ECG-artifact + An electrical artifact from the far-field potential from pulsation of the heart, time locked to QRS complex. + + hedId + HED_0012496 + + + + EMG-artifact + Artifact from muscle activity and myogenic potentials at the measurements site. In EEG, myogenic potentials are the most common artifacts. Frontalis and temporalis muscles (e.g. clenching of jaw muscles) are common causes. Generally, the potentials generated in the muscles are of shorter duration than those generated in the brain. The frequency components are usually beyond 30-50 Hz, and the bursts are arrhythmic. + + hedId + HED_0012497 + + + + Eye-artifact + Ocular movements and blinks can result in artifacts in different types of data. In electrophysiology data, these can result transients and offsets the signal. + + hedId + HED_0012498 + + + Eye-blink-artifact + Artifact from eye blinking. In EEG, Fp1/Fp2 electrodes become electro-positive with eye closure because the cornea is positively charged causing a negative deflection in Fp1/Fp2. If the eye blink is unilateral, consider prosthetic eye. + + hedId + HED_0012499 + + + + Eye-movement-artifact + Eye movements can cause artifacts on recordings. The charge of the eye can especially cause artifacts in electrophysiology data. + + hedId + HED_0012500 + + + Horizontal-eye-movement-artifact + Artifact from moving eyes left-to-right and right-to-left. In EEG, there is an upward deflection in the Fp2-F8 derivation, when the eyes move to the right side. In this case F8 becomes more positive and therefore. When the eyes move to the left, F7 becomes more positive and there is an upward deflection in the Fp1-F7 derivation. + + hedId + HED_0012501 + + + + Nystagmus-artifact + Artifact from nystagmus (a vision condition in which the eyes make repetitive, uncontrolled movements). + + hedId + HED_0012502 + + + + Slow-eye-movement-artifact + Artifacts originating from slow, rolling eye-movements, seen during drowsiness. + + hedId + HED_0012503 + + + + Vertical-eye-movement-artifact + Artifact from moving eyes up and down. In EEG, this causes positive potentials (50-100 micro V) with bi-frontal distribution, maximum at Fp1 and Fp2, when the eyeball rotates upward. The downward rotation of the eyeball is associated with the negative deflection. The time course of the deflections is similar to the time course of the eyeball movement. + + hedId + HED_0012504 + + + + + + Movement-artifact + Artifact in the measured data generated by motion of the subject. + + hedId + HED_0012505 + + + + Pulse-artifact + A mechanical artifact from a pulsating blood vessel near a measurement site, cardio-ballistic artifact. + + hedId + HED_0012506 + + + + Respiration-artifact + Artifact from breathing. + + hedId + HED_0012507 + + + + Rocking-patting-artifact + Quasi-rhythmical artifacts in recordings most commonly seen in infants. Typically caused by a caregiver rocking or patting the infant. + + hedId + HED_0012508 + + + + Sucking-artifact + Artifact from sucking, typically seen in very young cases. + + hedId + HED_0012509 + + + + Sweat-artifact + Artifact from sweating. In EEG, this is a low amplitude undulating waveform that is usually greater than 2 seconds and may appear to be an unstable baseline. + + hedId + HED_0012510 + + + + Tongue-movement-artifact + Artifact from tongue movement (Glossokinetic). The tongue functions as a dipole, with the tip negative with respect to the base. In EEG, the artifact produced by the tongue has a broad potential field that drops from frontal to occipital areas, although it is less steep than that produced by eye movement artifacts. The amplitude of the potentials is greater inferiorly than in parasagittal regions; the frequency is variable but usually in the delta range. Chewing and sucking can produce similar artifacts. + + hedId + HED_0012511 + + + + + Nonbiological-artifact + A data artifact arising from a non-biological source. + + hedId + HED_0012512 + + + Artificial-ventilation-artifact + Artifact stemming from mechanical ventilation. These can occur at the same rate as the ventilator, but also have other patterns. + + hedId + HED_0012513 + + + + Dialysis-artifact + Artifacts seen in recordings during continuous renal replacement therapy (dialysis). + + hedId + HED_0012514 + + + + Electrode-movement-artifact + Artifact from electrode movement. + + hedId + HED_0012515 + + + + Electrode-pops-artifact + Brief artifact with a steep rise and slow fall of an electrophysiological signal, most often caused by a loose electrode. + + hedId + HED_0012516 + + + + Induction-artifact + Artifacts induced by nearby equipment. In EEG, these are usually of high frequency. + + hedId + HED_0012517 + + + + Line-noise-artifact + Power line noise at 50 Hz or 60 Hz. + + hedId + HED_0012518 + + + # + + takesValue + + + valueClass + numericClass + + + unitClass + frequencyUnits + + + hedId + HED_0012519 + + + + + Salt-bridge-artifact + Artifact from salt-bridge between EEG electrodes. + + hedId + HED_0012520 + + + + + + Data-marker + An indicator placed to mark something. + + hedId + HED_0012521 + + + Data-break-marker + An indicator place to indicate a gap in the data. + + hedId + HED_0012522 + + + + Temporal-marker + An indicator placed at a particular time in the data. + + hedId + HED_0012523 + + + Inset + Marks an intermediate point in an ongoing event of temporal extent. + + topLevelTagGroup + + + reserved + + + relatedTag + Onset + Offset + + + hedId + HED_0012524 + + + + Offset + Marks the end of an event of temporal extent. + + topLevelTagGroup + + + reserved + + + relatedTag + Onset + Inset + + + hedId + HED_0012525 + + + + Onset + Marks the start of an ongoing event of temporal extent. + + topLevelTagGroup + + + reserved + + + relatedTag + Inset + Offset + + + hedId + HED_0012526 + + + + Pause + Indicates the temporary interruption of the operation of a process and subsequently a wait for a signal to continue. + + hedId + HED_0012527 + + + + Time-out + A cancellation or cessation that automatically occurs when a predefined interval of time has passed without a certain event occurring. + + hedId + HED_0012528 + + + + Time-sync + A synchronization signal whose purpose is to help synchronize different signals or processes. Often used to indicate a marker inserted into the recorded data to allow post hoc synchronization of concurrently recorded data streams. + + hedId + HED_0012529 + + + + + + Data-resolution + Smallest change in a quality being measured by an sensor that causes a perceptible change. + + hedId + HED_0012530 + + + Printer-resolution + Resolution of a printer, usually expressed as the number of dots-per-inch for a printer. + + hedId + HED_0012531 + + + # + + takesValue + + + valueClass + numericClass + + + hedId + HED_0012532 + + + + + Screen-resolution + Resolution of a screen, usually expressed as the of pixels in a dimension for a digital display device. + + hedId + HED_0012533 + + + # + + takesValue + + + valueClass + numericClass + + + hedId + HED_0012534 + + + + + Sensory-resolution + Resolution of measurements by a sensing device. + + hedId + HED_0012535 + + + # + + takesValue + + + valueClass + numericClass + + + hedId + HED_0012536 + + + + + Spatial-resolution + Linear spacing of a spatial measurement. + + hedId + HED_0012537 + + + # + + takesValue + + + valueClass + numericClass + + + hedId + HED_0012538 + + + + + Spectral-resolution + Measures the ability of a sensor to resolve features in the electromagnetic spectrum. + + hedId + HED_0012539 + + + # + + takesValue + + + valueClass + numericClass + + + hedId + HED_0012540 + + + + + Temporal-resolution + Measures the ability of a sensor to resolve features in time. + + hedId + HED_0012541 + + + # + + takesValue + + + valueClass + numericClass + + + hedId + HED_0012542 + + + + + + Data-source-type + The type of place, person, or thing from which the data comes or can be obtained. + + hedId + HED_0012543 + + + Computed-feature + A feature computed from the data by a tool. This tag should be grouped with a label of the form Toolname_propertyName. + + hedId + HED_0012544 + + + + Computed-prediction + A computed extrapolation of known data. + + hedId + HED_0012545 + + + + Expert-annotation + An explanatory or critical comment or other in-context information provided by an authority. + + hedId + HED_0012546 + + + + Instrument-measurement + Information obtained from a device that is used to measure material properties or make other observations. + + hedId + HED_0012547 + + + + Observation + Active acquisition of information from a primary source. Should be grouped with a label of the form AgentID_featureName. + + hedId + HED_0012548 + + + + + Data-value + Designation of the type of a data item. + + hedId + HED_0012549 + + + Categorical-value + Indicates that something can take on a limited and usually fixed number of possible values. + + hedId + HED_0012550 + + + Categorical-class-value + Categorical values that fall into discrete classes such as true or false. The grouping is absolute in the sense that it is the same for all participants. + + hedId + HED_0012551 + + + All + To a complete degree or to the full or entire extent. + + relatedTag + Some + None + + + hedId + HED_0012552 + + + + Correct + Free from error. Especially conforming to fact or truth. + + relatedTag + Wrong + + + hedId + HED_0012553 + + + + Explicit + Stated clearly and in detail, leaving no room for confusion or doubt. + + relatedTag + Implicit + + + hedId + HED_0012554 + + + + False + Not in accordance with facts, reality or definitive criteria. + + relatedTag + True + + + hedId + HED_0012555 + + + + Implicit + Implied though not plainly expressed. + + relatedTag + Explicit + + + hedId + HED_0012556 + + + + Invalid + Not allowed or not conforming to the correct format or specifications. + + relatedTag + Valid + + + hedId + HED_0012557 + + + + None + No person or thing, nobody, not any. + + relatedTag + All + Some + + + hedId + HED_0012558 + + + + Some + At least a small amount or number of, but not a large amount of, or often. + + relatedTag + All + None + + + hedId + HED_0012559 + + + + True + Conforming to facts, reality or definitive criteria. + + relatedTag + False + + + hedId + HED_0012560 + + + + Unknown + The information has not been provided. + + relatedTag + Invalid + + + hedId + HED_0012561 + + + + Valid + Allowable, usable, or acceptable. + + relatedTag + Invalid + + + hedId + HED_0012562 + + + + Wrong + Inaccurate or not correct. + + relatedTag + Correct + + + hedId + HED_0012563 + + + + + Categorical-judgment-value + Categorical values that are based on the judgment or perception of the participant such familiar and famous. + + hedId + HED_0012564 + + + Abnormal + Deviating in any way from the state, position, structure, condition, behavior, or rule which is considered a norm. + + relatedTag + Normal + + + hedId + HED_0012565 + + + + Asymmetrical + Lacking symmetry or having parts that fail to correspond to one another in shape, size, or arrangement. + + relatedTag + Symmetrical + + + hedId + HED_0012566 + + + + Audible + A sound that can be perceived by the participant. + + relatedTag + Inaudible + + + hedId + HED_0012567 + + + + Complex + Hard, involved or complicated, elaborate, having many parts. + + relatedTag + Simple + + + hedId + HED_0012568 + + + + Congruent + Concordance of multiple evidence lines. In agreement or harmony. + + relatedTag + Incongruent + + + hedId + HED_0012569 + + + + Constrained + Keeping something within particular limits or bounds. + + relatedTag + Unconstrained + + + hedId + HED_0012570 + + + + Disordered + Not neatly arranged. Confused and untidy. A structural quality in which the parts of an object are non-rigid. + + relatedTag + Ordered + + + hedId + HED_0012571 + + + + Familiar + Recognized, familiar, or within the scope of knowledge. + + relatedTag + Unfamiliar + Famous + + + hedId + HED_0012572 + + + + Famous + A person who has a high degree of recognition by the general population for his or her success or accomplishments. A famous person. + + relatedTag + Familiar + Unfamiliar + + + hedId + HED_0012573 + + + + Inaudible + A sound below the threshold of perception of the participant. + + relatedTag + Audible + + + hedId + HED_0012574 + + + + Incongruent + Not in agreement or harmony. + + relatedTag + Congruent + + + hedId + HED_0012575 + + + + Involuntary + An action that is not made by choice. In the body, involuntary actions (such as blushing) occur automatically, and cannot be controlled by choice. + + relatedTag + Voluntary + + + hedId + HED_0012576 + + + + Masked + Information exists but is not provided or is partially obscured due to security,privacy, or other concerns. + + relatedTag + Unmasked + + + hedId + HED_0012577 + + + + Normal + Being approximately average or within certain limits. Conforming with or constituting a norm or standard or level or type or social norm. + + relatedTag + Abnormal + + + hedId + HED_0012578 + + + + Ordered + Conforming to a logical or comprehensible arrangement of separate elements. + + relatedTag + Disordered + + + hedId + HED_0012579 + + + + Simple + Easily understood or presenting no difficulties. + + relatedTag + Complex + + + hedId + HED_0012580 + + + + Symmetrical + Made up of exactly similar parts facing each other or around an axis. Showing aspects of symmetry. + + relatedTag + Asymmetrical + + + hedId + HED_0012581 + + + + Unconstrained + Moving without restriction. + + relatedTag + Constrained + + + hedId + HED_0012582 + + + + Unfamiliar + Not having knowledge or experience of. + + relatedTag + Familiar + Famous + + + hedId + HED_0012583 + + + + Unmasked + Information is revealed. + + relatedTag + Masked + + + hedId + HED_0012584 + + + + Voluntary + Using free will or design; not forced or compelled; controlled by individual volition. + + relatedTag + Involuntary + + + hedId + HED_0012585 + + + + + Categorical-level-value + Categorical values based on dividing a continuous variable into levels such as high and low. + + hedId + HED_0012586 + + + Cold + Having an absence of heat. + + relatedTag + Hot + + + hedId + HED_0012587 + + + + Deep + Extending relatively far inward or downward. + + relatedTag + Shallow + + + hedId + HED_0012588 + + + + High + Having a greater than normal degree, intensity, or amount. + + relatedTag + Low + Medium + + + hedId + HED_0012589 + + + + Hot + Having an excess of heat. + + relatedTag + Cold + + + hedId + HED_0012590 + + + + Large + Having a great extent such as in physical dimensions, period of time, amplitude or frequency. + + relatedTag + Small + + + hedId + HED_0012591 + + + + Liminal + Situated at a sensory threshold that is barely perceptible or capable of eliciting a response. + + relatedTag + Subliminal + Supraliminal + + + hedId + HED_0012592 + + + + Loud + Having a perceived high intensity of sound. + + relatedTag + Quiet + + + hedId + HED_0012593 + + + + Low + Less than normal in degree, intensity or amount. + + relatedTag + High + + + hedId + HED_0012594 + + + + Medium + Mid-way between small and large in number, quantity, magnitude or extent. + + relatedTag + Low + High + + + hedId + HED_0012595 + + + + Negative + Involving disadvantage or harm. + + relatedTag + Positive + + + hedId + HED_0012596 + + + + Positive + Involving advantage or good. + + relatedTag + Negative + + + hedId + HED_0012597 + + + + Quiet + Characterizing a perceived low intensity of sound. + + relatedTag + Loud + + + hedId + HED_0012598 + + + + Rough + Having a surface with perceptible bumps, ridges, or irregularities. + + relatedTag + Smooth + + + hedId + HED_0012599 + + + + Shallow + Having a depth which is relatively low. + + relatedTag + Deep + + + hedId + HED_0012600 + + + + Small + Having a small extent such as in physical dimensions, period of time, amplitude or frequency. + + relatedTag + Large + + + hedId + HED_0012601 + + + + Smooth + Having a surface free from bumps, ridges, or irregularities. + + relatedTag + Rough + + + hedId + HED_0012602 + + + + Subliminal + Situated below a sensory threshold that is imperceptible or not capable of eliciting a response. + + relatedTag + Liminal + Supraliminal + + + hedId + HED_0012603 + + + + Supraliminal + Situated above a sensory threshold that is perceptible or capable of eliciting a response. + + relatedTag + Liminal + Subliminal + + + hedId + HED_0012604 + + + + Thick + Wide in width, extent or cross-section. + + relatedTag + Thin + + + hedId + HED_0012605 + + + + Thin + Narrow in width, extent or cross-section. + + relatedTag + Thick + + + hedId + HED_0012606 + + + + + Categorical-location-value + Value indicating the location of something, primarily as an identifier rather than an expression of where the item is relative to something else. + + hedId + HED_0012607 + + + Anterior + Relating to an item on the front of an agent body (from the point of view of the agent) or on the front of an object from the point of view of an agent. This pertains to the identity of an agent or a thing. + + hedId + HED_0012608 + + + + Lateral + Identifying the portion of an object away from the midline, particularly applied to the (anterior-posterior, superior-inferior) surface of a brain. + + hedId + HED_0012609 + + + + Left + Relating to an item on the left side of an agent body (from the point of view of the agent) or the left side of an object from the point of view of an agent. This pertains to the identity of an agent or a thing, for example (Left, Hand) as an identifier for the left hand. HED spatial relations should be used for relative positions such as (Hand, (Left-side-of, Keyboard)), which denotes the hand placed on the left side of the keyboard, which could be either the identified left hand or right hand. + + hedId + HED_0012610 + + + + Medial + Identifying the portion of an object towards the center, particularly applied to the (anterior-posterior, superior-inferior) surface of a brain. + + hedId + HED_0012611 + + + + Posterior + Relating to an item on the back of an agent body (from the point of view of the agent) or on the back of an object from the point of view of an agent. This pertains to the identity of an agent or a thing. + + hedId + HED_0012612 + + + + Right + Relating to an item on the right side of an agent body (from the point of view of the agent) or the right side of an object from the point of view of an agent. This pertains to the identity of an agent or a thing, for example (Right, Hand) as an identifier for the right hand. HED spatial relations should be used for relative positions such as (Hand, (Right-side-of, Keyboard)), which denotes the hand placed on the right side of the keyboard, which could be either the identified left hand or right hand. + + hedId + HED_0012613 + + + + + Categorical-orientation-value + Value indicating the orientation or direction of something. + + hedId + HED_0012614 + + + Backward + Directed behind or to the rear. + + relatedTag + Forward + + + hedId + HED_0012615 + + + + Downward + Moving or leading toward a lower place or level. + + relatedTag + Leftward + Rightward + Upward + + + hedId + HED_0012616 + + + + Forward + At or near or directed toward the front. + + relatedTag + Backward + + + hedId + HED_0012617 + + + + Horizontally-oriented + Oriented parallel to or in the plane of the horizon. + + relatedTag + Vertically-oriented + + + hedId + HED_0012618 + + + + Leftward + Going toward or facing the left. + + relatedTag + Downward + Rightward + Upward + + + hedId + HED_0012619 + + + + Oblique + Slanting or inclined in direction, course, or position that is neither parallel nor perpendicular nor right-angular. + + relatedTag + Rotated + + + hedId + HED_0012620 + + + + Rightward + Going toward or situated on the right. + + relatedTag + Downward + Leftward + Upward + + + hedId + HED_0012621 + + + + Rotated + Positioned offset around an axis or center. + + hedId + HED_0012622 + + + + Upward + Moving, pointing, or leading to a higher place, point, or level. + + relatedTag + Downward + Leftward + Rightward + + + hedId + HED_0012623 + + + + Vertically-oriented + Oriented perpendicular to the plane of the horizon. + + relatedTag + Horizontally-oriented + + + hedId + HED_0012624 + + + + + + Physical-value + The value of some physical property of something. + + hedId + HED_0012625 + + + Temperature + A measure of hot or cold based on the average kinetic energy of the atoms or molecules in the system. + + hedId + HED_0012626 + + + # + + takesValue + + + valueClass + numericClass + + + unitClass + temperatureUnits + + + hedId + HED_0012627 + + + + + Weight + The relative mass or the quantity of matter contained by something. + + hedId + HED_0012628 + + + # + + takesValue + + + valueClass + numericClass + + + unitClass + weightUnits + + + hedId + HED_0012629 + + + + + + Quantitative-value + Something capable of being estimated or expressed with numeric values. + + hedId + HED_0012630 + + + Fraction + A numerical value between 0 and 1. + + hedId + HED_0012631 + + + # + + takesValue + + + valueClass + numericClass + + + hedId + HED_0012632 + + + + + Item-count + The integer count of something which is usually grouped with the entity it is counting. (Item-count/3, A) indicates that 3 of A have occurred up to this point. + + hedId + HED_0012633 + + + # + + takesValue + + + valueClass + numericClass + + + hedId + HED_0012634 + + + + + Item-index + The index of an item in a collection, sequence or other structure. (A (Item-index/3, B)) means that A is item number 3 in B. + + hedId + HED_0012635 + + + # + + takesValue + + + valueClass + numericClass + + + hedId + HED_0012636 + + + + + Item-interval + An integer indicating how many items or entities have passed since the last one of these. An item interval of 0 indicates the current item. + + hedId + HED_0012637 + + + # + + takesValue + + + valueClass + numericClass + + + hedId + HED_0012638 + + + + + Percentage + A fraction or ratio with 100 understood as the denominator. + + hedId + HED_0012639 + + + # + + takesValue + + + valueClass + numericClass + + + hedId + HED_0012640 + + + + + Ratio + A quotient of quantities of the same kind for different components within the same system. + + hedId + HED_0012641 + + + # + + takesValue + + + valueClass + numericClass + + + hedId + HED_0012642 + + + + + + Spatiotemporal-value + A property relating to space and/or time. + + hedId + HED_0012643 + + + Rate-of-change + The amount of change accumulated per unit time. + + hedId + HED_0012644 + + + Acceleration + Magnitude of the rate of change in either speed or direction. The direction of change should be given separately. + + hedId + HED_0012645 + + + # + + takesValue + + + valueClass + numericClass + + + unitClass + accelerationUnits + + + hedId + HED_0012646 + + + + + Frequency + Frequency is the number of occurrences of a repeating event per unit time. + + hedId + HED_0012647 + + + # + + takesValue + + + valueClass + numericClass + + + unitClass + frequencyUnits + + + hedId + HED_0012648 + + + + + Jerk-rate + Magnitude of the rate at which the acceleration of an object changes with respect to time. The direction of change should be given separately. + + hedId + HED_0012649 + + + # + + takesValue + + + valueClass + numericClass + + + unitClass + jerkUnits + + + hedId + HED_0012650 + + + + + Refresh-rate + The frequency with which the image on a computer monitor or similar electronic display screen is refreshed, usually expressed in hertz. + + hedId + HED_0012651 + + + # + + takesValue + + + valueClass + numericClass + + + hedId + HED_0012652 + + + + + Sampling-rate + The number of digital samples taken or recorded per unit of time. + + hedId + HED_0012653 + + + # + + takesValue + + + unitClass + frequencyUnits + + + hedId + HED_0012654 + + + + + Speed + A scalar measure of the rate of movement of the object expressed either as the distance traveled divided by the time taken (average speed) or the rate of change of position with respect to time at a particular point (instantaneous speed). The direction of change should be given separately. + + hedId + HED_0012655 + + + # + + takesValue + + + valueClass + numericClass + + + unitClass + speedUnits + + + hedId + HED_0012656 + + + + + Temporal-rate + The number of items per unit of time. + + hedId + HED_0012657 + + + # + + takesValue + + + valueClass + numericClass + + + unitClass + frequencyUnits + + + hedId + HED_0012658 + + + + + + Spatial-value + Value of an item involving space. + + hedId + HED_0012659 + + + Angle + The amount of inclination of one line to another or the plane of one object to another. + + hedId + HED_0012660 + + + # + + takesValue + + + unitClass + angleUnits + + + valueClass + numericClass + + + hedId + HED_0012661 + + + + + Distance + A measure of the space separating two objects or points. + + hedId + HED_0012662 + + + # + + takesValue + + + valueClass + numericClass + + + unitClass + physicalLengthUnits + + + hedId + HED_0012663 + + + + + Position + A reference to the alignment of an object, a particular situation or view of a situation, or the location of an object. Coordinates with respect a specified frame of reference or the default Screen-frame if no frame is given. + + hedId + HED_0012664 + + + Clock-face + A location identifier based on clock-face numbering or anatomic subregion. Replaced by Clock-face-position. + + deprecatedFrom + 8.2.0 + + + hedId + HED_0012326 + + + # + + deprecatedFrom + 8.2.0 + + + takesValue + + + valueClass + numericClass + + + hedId + HED_0013228 + + + + + Clock-face-position + A location identifier based on clock-face numbering or anatomic subregion. As an object, just use the tag Clock. + + hedId + HED_0013229 + + + # + + takesValue + + + valueClass + numericClass + + + hedId + HED_0013230 + + + + + X-position + The position along the x-axis of the frame of reference. + + hedId + HED_0012665 + + + # + + takesValue + + + valueClass + numericClass + + + unitClass + physicalLengthUnits + + + hedId + HED_0012666 + + + + + Y-position + The position along the y-axis of the frame of reference. + + hedId + HED_0012667 + + + # + + takesValue + + + valueClass + numericClass + + + unitClass + physicalLengthUnits + + + hedId + HED_0012668 + + + + + Z-position + The position along the z-axis of the frame of reference. + + hedId + HED_0012669 + + + # + + takesValue + + + valueClass + numericClass + + + unitClass + physicalLengthUnits + + + hedId + HED_0012670 + + + + + + Size + The physical magnitude of something. + + hedId + HED_0012671 + + + Area + The extent of a 2-dimensional surface enclosed within a boundary. + + hedId + HED_0012672 + + + # + + takesValue + + + valueClass + numericClass + + + unitClass + areaUnits + + + hedId + HED_0012673 + + + + + Depth + The distance from the surface of something especially from the perspective of looking from the front. + + hedId + HED_0012674 + + + # + + takesValue + + + valueClass + numericClass + + + unitClass + physicalLengthUnits + + + hedId + HED_0012675 + + + + + Height + The vertical measurement or distance from the base to the top of an object. + + hedId + HED_0012676 + + + # + + takesValue + + + valueClass + numericClass + + + unitClass + physicalLengthUnits + + + hedId + HED_0012677 + + + + + Length + The linear extent in space from one end of something to the other end, or the extent of something from beginning to end. + + hedId + HED_0012678 + + + # + + takesValue + + + valueClass + numericClass + + + unitClass + physicalLengthUnits + + + hedId + HED_0012679 + + + + + Perimeter + The minimum length of paths enclosing a 2D shape. + + hedId + HED_0012680 + + + # + + takesValue + + + valueClass + numericClass + + + unitClass + physicalLengthUnits + + + hedId + HED_0012681 + + + + + Radius + The distance of the line from the center of a circle or a sphere to its perimeter or outer surface, respectively. + + hedId + HED_0012682 + + + # + + takesValue + + + valueClass + numericClass + + + unitClass + physicalLengthUnits + + + hedId + HED_0012683 + + + + + Volume + The amount of three dimensional space occupied by an object or the capacity of a space or container. + + hedId + HED_0012684 + + + # + + takesValue + + + valueClass + numericClass + + + unitClass + volumeUnits + + + hedId + HED_0012685 + + + + + Width + The extent or measurement of something from side to side. + + hedId + HED_0012686 + + + # + + takesValue + + + valueClass + numericClass + + + unitClass + physicalLengthUnits + + + hedId + HED_0012687 + + + + + + + Temporal-value + A characteristic of or relating to time or limited by time. + + hedId + HED_0012688 + + + Delay + The time at which an event start time is delayed from the current onset time. This tag defines the start time of an event of temporal extent and may be used with the Duration tag. + + topLevelTagGroup + + + reserved + + + requireChild + + + relatedTag + Duration + + + hedId + HED_0012689 + + + # + + takesValue + + + valueClass + numericClass + + + unitClass + timeUnits + + + hedId + HED_0012690 + + + + + Duration + The period of time during which an event occurs. This tag defines the end time of an event of temporal extent and may be used with the Delay tag. + + topLevelTagGroup + + + reserved + + + requireChild + + + relatedTag + Delay + + + hedId + HED_0012691 + + + # + + takesValue + + + valueClass + numericClass + + + unitClass + timeUnits + + + hedId + HED_0012692 + + + + + Time-interval + The period of time separating two instances, events, or occurrences. + + hedId + HED_0012693 + + + # + + takesValue + + + valueClass + numericClass + + + unitClass + timeUnits + + + hedId + HED_0012694 + + + + + Time-value + A value with units of time. Usually grouped with tags identifying what the value represents. + + hedId + HED_0012695 + + + # + + takesValue + + + valueClass + numericClass + + + unitClass + timeUnits + + + hedId + HED_0012696 + + + + + + + Statistical-value + A value based on or employing the principles of statistics. + + extensionAllowed + + + hedId + HED_0012697 + + + Data-maximum + The largest possible quantity or degree. + + hedId + HED_0012698 + + + # + + takesValue + + + valueClass + numericClass + + + hedId + HED_0012699 + + + + + Data-mean + The sum of a set of values divided by the number of values in the set. + + hedId + HED_0012700 + + + # + + takesValue + + + valueClass + numericClass + + + hedId + HED_0012701 + + + + + Data-median + The value which has an equal number of values greater and less than it. + + hedId + HED_0012702 + + + # + + takesValue + + + valueClass + numericClass + + + hedId + HED_0012703 + + + + + Data-minimum + The smallest possible quantity. + + hedId + HED_0012704 + + + # + + takesValue + + + valueClass + numericClass + + + hedId + HED_0012705 + + + + + Probability + A measure of the expectation of the occurrence of a particular event. + + hedId + HED_0012706 + + + # + + takesValue + + + valueClass + numericClass + + + hedId + HED_0012707 + + + + + Standard-deviation + A measure of the range of values in a set of numbers. Standard deviation is a statistic used as a measure of the dispersion or variation in a distribution, equal to the square root of the arithmetic mean of the squares of the deviations from the arithmetic mean. + + hedId + HED_0012708 + + + # + + takesValue + + + valueClass + numericClass + + + hedId + HED_0012709 + + + + + Statistical-accuracy + A measure of closeness to true value expressed as a number between 0 and 1. + + hedId + HED_0012710 + + + # + + takesValue + + + valueClass + numericClass + + + hedId + HED_0012711 + + + + + Statistical-precision + A quantitative representation of the degree of accuracy necessary for or associated with a particular action. + + hedId + HED_0012712 + + + # + + takesValue + + + valueClass + numericClass + + + hedId + HED_0012713 + + + + + Statistical-recall + Sensitivity is a measurement datum qualifying a binary classification test and is computed by subtracting the false negative rate to the integral numeral 1. + + hedId + HED_0012714 + + + # + + takesValue + + + valueClass + numericClass + + + hedId + HED_0012715 + + + + + Statistical-uncertainty + A measure of the inherent variability of repeated observation measurements of a quantity including quantities evaluated by statistical methods and by other means. + + hedId + HED_0012716 + + + # + + takesValue + + + valueClass + numericClass + + + hedId + HED_0012717 + + + + + + + Data-variability-attribute + An attribute describing how something changes or varies. + + hedId + HED_0012718 + + + Abrupt + Marked by sudden change. + + hedId + HED_0012719 + + + + Constant + Continually recurring or continuing without interruption. Not changing in time or space. + + hedId + HED_0012720 + + + + Continuous + Uninterrupted in time, sequence, substance, or extent. + + relatedTag + Discrete + Discontinuous + + + hedId + HED_0012721 + + + + Decreasing + Becoming smaller or fewer in size, amount, intensity, or degree. + + relatedTag + Increasing + + + hedId + HED_0012722 + + + + Deterministic + No randomness is involved in the development of the future states of the element. + + relatedTag + Random + Stochastic + + + hedId + HED_0012723 + + + + Discontinuous + Having a gap in time, sequence, substance, or extent. + + relatedTag + Continuous + + + hedId + HED_0012724 + + + + Discrete + Constituting a separate entities or parts. + + relatedTag + Continuous + Discontinuous + + + hedId + HED_0012725 + + + + Estimated-value + Something that has been calculated or measured approximately. + + hedId + HED_0012726 + + + + Exact-value + A value that is viewed to the true value according to some standard. + + hedId + HED_0012727 + + + + Flickering + Moving irregularly or unsteadily or burning or shining fitfully or with a fluctuating light. + + hedId + HED_0012728 + + + + Fractal + Having extremely irregular curves or shapes for which any suitably chosen part is similar in shape to a given larger or smaller part when magnified or reduced to the same size. + + hedId + HED_0012729 + + + + Increasing + Becoming greater in size, amount, or degree. + + relatedTag + Decreasing + + + hedId + HED_0012730 + + + + Random + Governed by or depending on chance. Lacking any definite plan or order or purpose. + + relatedTag + Deterministic + Stochastic + + + hedId + HED_0012731 + + + + Repetitive + A recurring action that is often non-purposeful. + + hedId + HED_0012732 + + + + Stochastic + Uses a random probability distribution or pattern that may be analyzed statistically but may not be predicted precisely to determine future states. + + relatedTag + Deterministic + Random + + + hedId + HED_0012733 + + + + Varying + Differing in size, amount, degree, or nature. + + hedId + HED_0012734 + + + + + + Environmental-property + Relating to or arising from the surroundings of an agent. + + hedId + HED_0012735 + + + Augmented-reality + Using technology that enhances real-world experiences with computer-derived digital overlays to change some aspects of perception of the natural environment. The digital content is shown to the user through a smart device or glasses and responds to changes in the environment. + + hedId + HED_0012736 + + + + Indoors + Located inside a building or enclosure. + + hedId + HED_0012737 + + + + Motion-platform + A mechanism that creates the feelings of being in a real motion environment. + + hedId + HED_0012738 + + + + Outdoors + Any area outside a building or shelter. + + hedId + HED_0012739 + + + + Real-world + Located in a place that exists in real space and time under realistic conditions. + + hedId + HED_0012740 + + + + Rural + Of or pertaining to the country as opposed to the city. + + hedId + HED_0012741 + + + + Terrain + Characterization of the physical features of a tract of land. + + hedId + HED_0012742 + + + Composite-terrain + Tracts of land characterized by a mixture of physical features. + + hedId + HED_0012743 + + + + Dirt-terrain + Tracts of land characterized by a soil surface and lack of vegetation. + + hedId + HED_0012744 + + + + Grassy-terrain + Tracts of land covered by grass. + + hedId + HED_0012745 + + + + Gravel-terrain + Tracts of land covered by a surface consisting a loose aggregation of small water-worn or pounded stones. + + hedId + HED_0012746 + + + + Leaf-covered-terrain + Tracts of land covered by leaves and composited organic material. + + hedId + HED_0012747 + + + + Muddy-terrain + Tracts of land covered by a liquid or semi-liquid mixture of water and some combination of soil, silt, and clay. + + hedId + HED_0012748 + + + + Paved-terrain + Tracts of land covered with concrete, asphalt, stones, or bricks. + + hedId + HED_0012749 + + + + Rocky-terrain + Tracts of land consisting or full of rock or rocks. + + hedId + HED_0012750 + + + + Sloped-terrain + Tracts of land arranged in a sloping or inclined position. + + hedId + HED_0012751 + + + + Uneven-terrain + Tracts of land that are not level, smooth, or regular. + + hedId + HED_0012752 + + + + + Urban + Relating to, located in, or characteristic of a city or densely populated area. + + hedId + HED_0012753 + + + + Virtual-world + Using technology that creates immersive, computer-generated experiences that a person can interact with and navigate through. The digital content is generally delivered to the user through some type of headset and responds to changes in head position or through interaction with other types of sensors. Existing in a virtual setting such as a simulation or game environment. + + hedId + HED_0012754 + + + + + Informational-property + Something that pertains to a task. + + extensionAllowed + + + hedId + HED_0012755 + + + Description + An explanation of what the tag group it is in means. If the description is at the top-level of an event string, the description applies to the event. + + hedId + HED_0012756 + + + # + + takesValue + + + valueClass + textClass + + + hedId + HED_0012757 + + + + + ID + An alphanumeric name that identifies either a unique object or a unique class of objects. Here the object or class may be an idea, physical countable object (or class), or physical uncountable substance (or class). + + hedId + HED_0012758 + + + # + + takesValue + + + valueClass + textClass + + + hedId + HED_0012759 + + + + + Label + A string of 20 or fewer characters identifying something. Labels usually refer to general classes of things while IDs refer to specific instances. A term that is associated with some entity. A brief description given for purposes of identification. An identifying or descriptive marker that is attached to an object. + + hedId + HED_0012760 + + + # + + takesValue + + + valueClass + nameClass + + + hedId + HED_0012761 + + + + + Metadata + Data about data. Information that describes another set of data. + + hedId + HED_0012762 + + + Creation-date + The date on which the creation of this item began. + + hedId + HED_0012763 + + + # + + takesValue + + + valueClass + dateTimeClass + + + hedId + HED_0012764 + + + + + Experimental-note + A brief written record about the experiment. + + hedId + HED_0012765 + + + # + + takesValue + + + valueClass + textClass + + + hedId + HED_0012766 + + + + + Library-name + Official name of a HED library. + + hedId + HED_0012767 + + + # + + takesValue + + + valueClass + nameClass + + + hedId + HED_0012768 + + + + + Metadata-identifier + Identifier (usually unique) from another metadata source. + + hedId + HED_0012769 + + + CogAtlas + The Cognitive Atlas ID number of something. + + hedId + HED_0012770 + + + # + + takesValue + + + hedId + HED_0012771 + + + + + CogPo + The CogPO ID number of something. + + hedId + HED_0012772 + + + # + + takesValue + + + hedId + HED_0012773 + + + + + DOI + Digital object identifier for an object. + + hedId + HED_0012774 + + + # + + takesValue + + + hedId + HED_0012775 + + + + + OBO-identifier + The identifier of a term in some Open Biology Ontology (OBO) ontology. + + hedId + HED_0012776 + + + # + + takesValue + + + valueClass + nameClass + + + hedId + HED_0012777 + + + + + Species-identifier + A binomial species name from the NCBI Taxonomy, for example, homo sapiens, mus musculus, or rattus norvegicus. + + hedId + HED_0012778 + + + # + + takesValue + + + hedId + HED_0012779 + + + + + Subject-identifier + A sequence of characters used to identify, name, or characterize a trial or study subject. + + hedId + HED_0012780 + + + # + + takesValue + + + hedId + HED_0012781 + + + + + UUID + A unique universal identifier. + + hedId + HED_0012782 + + + # + + takesValue + + + hedId + HED_0012783 + + + + + Version-identifier + An alphanumeric character string that identifies a form or variant of a type or original. + + hedId + HED_0012784 + + + # + Usually is a semantic version. + + takesValue + + + hedId + HED_0012785 + + + + + + Modified-date + The date on which the item was modified (usually the last-modified data unless a complete record of dated modifications is kept. + + hedId + HED_0012786 + + + # + + takesValue + + + valueClass + dateTimeClass + + + hedId + HED_0012787 + + + + + Pathname + The specification of a node (file or directory) in a hierarchical file system, usually specified by listing the nodes top-down. + + hedId + HED_0012788 + + + # + + takesValue + + + hedId + HED_0012789 + + + + + URL + A valid URL. + + hedId + HED_0012790 + + + # + + takesValue + + + hedId + HED_0012791 + + + + + + Parameter + Something user-defined for this experiment. + + hedId + HED_0012792 + + + Parameter-label + The name of the parameter. + + hedId + HED_0012793 + + + # + + takesValue + + + valueClass + nameClass + + + hedId + HED_0012794 + + + + + Parameter-value + The value of the parameter. + + hedId + HED_0012795 + + + # + + takesValue + + + valueClass + textClass + + + hedId + HED_0012796 + + + + + + + Organizational-property + Relating to an organization or the action of organizing something. + + hedId + HED_0012797 + + + Collection + A tag designating a grouping of items such as in a set or list. + + reserved + + + hedId + HED_0012798 + + + # + Name of the collection. + + takesValue + + + valueClass + nameClass + + + hedId + HED_0012799 + + + + + Condition-variable + An aspect of the experiment or task that is to be varied during the experiment. Task-conditions are sometimes called independent variables or contrasts. + + reserved + + + hedId + HED_0012800 + + + # + Name of the condition variable. + + takesValue + + + valueClass + nameClass + + + hedId + HED_0012801 + + + + + Control-variable + An aspect of the experiment that is fixed throughout the study and usually is explicitly controlled. + + reserved + + + hedId + HED_0012802 + + + # + Name of the control variable. + + takesValue + + + valueClass + nameClass + + + hedId + HED_0012803 + + + + + Def + A HED-specific utility tag used with a defined name to represent the tags associated with that definition. + + requireChild + + + reserved + + + hedId + HED_0012804 + + + # + Name of the definition. + + takesValue + + + valueClass + nameClass + + + hedId + HED_0012805 + + + + + Def-expand + A HED specific utility tag that is grouped with an expanded definition. The child value of the Def-expand is the name of the expanded definition. + + requireChild + + + reserved + + + tagGroup + + + hedId + HED_0012806 + + + # + + takesValue + + + valueClass + nameClass + + + hedId + HED_0012807 + + + + + Definition + A HED-specific utility tag whose child value is the name of the concept and the tag group associated with the tag is an English language explanation of a concept. + + requireChild + + + reserved + + + topLevelTagGroup + + + hedId + HED_0012808 + + + # + Name of the definition. + + takesValue + + + valueClass + nameClass + + + hedId + HED_0012809 + + + + + Event-context + A special HED tag inserted as part of a top-level tag group to contain information about the interrelated conditions under which the event occurs. The event context includes information about other events that are ongoing when this event happens. + + reserved + + + topLevelTagGroup + + + unique + + + hedId + HED_0012810 + + + + Event-stream + A special HED tag indicating that this event is a member of an ordered succession of events. + + reserved + + + hedId + HED_0012811 + + + # + Name of the event stream. + + takesValue + + + valueClass + nameClass + + + hedId + HED_0012812 + + + + + Experimental-intertrial + A tag used to indicate a part of the experiment between trials usually where nothing is happening. + + reserved + + + hedId + HED_0012813 + + + # + Optional label for the intertrial block. + + takesValue + + + valueClass + nameClass + + + hedId + HED_0012814 + + + + + Experimental-trial + Designates a run or execution of an activity, for example, one execution of a script. A tag used to indicate a particular organizational part in the experimental design often containing a stimulus-response pair or stimulus-response-feedback triad. + + reserved + + + hedId + HED_0012815 + + + # + Optional label for the trial (often a numerical string). + + takesValue + + + valueClass + nameClass + + + hedId + HED_0012816 + + + + + Indicator-variable + An aspect of the experiment or task that is measured as task conditions are varied during the experiment. Experiment indicators are sometimes called dependent variables. + + reserved + + + hedId + HED_0012817 + + + # + Name of the indicator variable. + + takesValue + + + valueClass + nameClass + + + hedId + HED_0012818 + + + + + Recording + A tag designating the data recording. Recording tags are usually have temporal scope which is the entire recording. + + reserved + + + hedId + HED_0012819 + + + # + Optional label for the recording. + + takesValue + + + valueClass + nameClass + + + hedId + HED_0012820 + + + + + Task + An assigned piece of work, usually with a time allotment. A tag used to indicate a linkage the structured activities performed as part of the experiment. + + reserved + + + hedId + HED_0012821 + + + # + Optional label for the task block. + + takesValue + + + valueClass + nameClass + + + hedId + HED_0012822 + + + + + Time-block + A tag used to indicate a contiguous time block in the experiment during which something is fixed or noted. + + reserved + + + hedId + HED_0012823 + + + # + Optional label for the task block. + + takesValue + + + valueClass + nameClass + + + hedId + HED_0012824 + + + + + + Sensory-property + Relating to sensation or the physical senses. + + hedId + HED_0012825 + + + Sensory-attribute + A sensory characteristic associated with another entity. + + hedId + HED_0012826 + + + Auditory-attribute + Pertaining to the sense of hearing. + + hedId + HED_0012827 + + + Loudness + Perceived intensity of a sound. + + hedId + HED_0012828 + + + # + + takesValue + + + valueClass + numericClass + nameClass + + + hedId + HED_0012829 + + + + + Pitch + A perceptual property that allows the user to order sounds on a frequency scale. + + hedId + HED_0012830 + + + # + + takesValue + + + valueClass + numericClass + + + unitClass + frequencyUnits + + + hedId + HED_0012831 + + + + + Sound-envelope + Description of how a sound changes over time. + + hedId + HED_0012832 + + + Sound-envelope-attack + The time taken for initial run-up of level from nil to peak usually beginning when the key on a musical instrument is pressed. + + hedId + HED_0012833 + + + # + + takesValue + + + valueClass + numericClass + + + unitClass + timeUnits + + + hedId + HED_0012834 + + + + + Sound-envelope-decay + The time taken for the subsequent run down from the attack level to the designated sustain level. + + hedId + HED_0012835 + + + # + + takesValue + + + valueClass + numericClass + + + unitClass + timeUnits + + + hedId + HED_0012836 + + + + + Sound-envelope-release + The time taken for the level to decay from the sustain level to zero after the key is released. + + hedId + HED_0012837 + + + # + + takesValue + + + valueClass + numericClass + + + unitClass + timeUnits + + + hedId + HED_0012838 + + + + + Sound-envelope-sustain + The time taken for the main sequence of the sound duration, until the key is released. + + hedId + HED_0012839 + + + # + + takesValue + + + valueClass + numericClass + + + unitClass + timeUnits + + + hedId + HED_0012840 + + + + + + Sound-volume + The sound pressure level (SPL) usually the ratio to a reference signal estimated as the lower bound of hearing. + + hedId + HED_0012841 + + + # + + takesValue + + + valueClass + numericClass + + + unitClass + intensityUnits + + + hedId + HED_0012842 + + + + + Timbre + The perceived sound quality of a singing voice or musical instrument. + + hedId + HED_0012843 + + + # + + takesValue + + + valueClass + nameClass + + + hedId + HED_0012844 + + + + + + Gustatory-attribute + Pertaining to the sense of taste. + + hedId + HED_0012845 + + + Bitter + Having a sharp, pungent taste. + + hedId + HED_0012846 + + + + Salty + Tasting of or like salt. + + hedId + HED_0012847 + + + + Savory + Belonging to a taste that is salty or spicy rather than sweet. + + hedId + HED_0012848 + + + + Sour + Having a sharp, acidic taste. + + hedId + HED_0012849 + + + + Sweet + Having or resembling the taste of sugar. + + hedId + HED_0012850 + + + + + Olfactory-attribute + Having a smell. + + hedId + HED_0012851 + + + + Somatic-attribute + Pertaining to the feelings in the body or of the nervous system. + + hedId + HED_0012852 + + + Pain + The sensation of discomfort, distress, or agony, resulting from the stimulation of specialized nerve endings. + + hedId + HED_0012853 + + + + Stress + The negative mental, emotional, and physical reactions that occur when environmental stressors are perceived as exceeding the adaptive capacities of the individual. + + hedId + HED_0012854 + + + + + Tactile-attribute + Pertaining to the sense of touch. + + hedId + HED_0012855 + + + Tactile-pressure + Having a feeling of heaviness. + + hedId + HED_0012856 + + + + Tactile-temperature + Having a feeling of hotness or coldness. + + hedId + HED_0012857 + + + + Tactile-texture + Having a feeling of roughness. + + hedId + HED_0012858 + + + + Tactile-vibration + Having a feeling of mechanical oscillation. + + hedId + HED_0012859 + + + + + Vestibular-attribute + Pertaining to the sense of balance or body position. + + hedId + HED_0012860 + + + + Visual-attribute + Pertaining to the sense of sight. + + hedId + HED_0012861 + + + Color + The appearance of objects (or light sources) described in terms of perception of their hue and lightness (or brightness) and saturation. + + hedId + HED_0012862 + + + CSS-color + One of 140 colors supported by all browsers. For more details such as the color RGB or HEX values,check:https://www.w3schools.com/colors/colors_groups.asp. + + hedId + HED_0012863 + + + Blue-color + CSS color group. + + hedId + HED_0012864 + + + Blue + CSS-color 0x0000FF. + + hedId + HED_0012865 + + + + CadetBlue + CSS-color 0x5F9EA0. + + hedId + HED_0012866 + + + + CornflowerBlue + CSS-color 0x6495ED. + + hedId + HED_0012867 + + + + DarkBlue + CSS-color 0x00008B. + + hedId + HED_0012868 + + + + DeepSkyBlue + CSS-color 0x00BFFF. + + hedId + HED_0012869 + + + + DodgerBlue + CSS-color 0x1E90FF. + + hedId + HED_0012870 + + + + LightBlue + CSS-color 0xADD8E6. + + hedId + HED_0012871 + + + + LightSkyBlue + CSS-color 0x87CEFA. + + hedId + HED_0012872 + + + + LightSteelBlue + CSS-color 0xB0C4DE. + + hedId + HED_0012873 + + + + MediumBlue + CSS-color 0x0000CD. + + hedId + HED_0012874 + + + + MidnightBlue + CSS-color 0x191970. + + hedId + HED_0012875 + + + + Navy + CSS-color 0x000080. + + hedId + HED_0012876 + + + + PowderBlue + CSS-color 0xB0E0E6. + + hedId + HED_0012877 + + + + RoyalBlue + CSS-color 0x4169E1. + + hedId + HED_0012878 + + + + SkyBlue + CSS-color 0x87CEEB. + + hedId + HED_0012879 + + + + SteelBlue + CSS-color 0x4682B4. + + hedId + HED_0012880 + + + + + Brown-color + CSS color group. + + hedId + HED_0012881 + + + Bisque + CSS-color 0xFFE4C4. + + hedId + HED_0012882 + + + + BlanchedAlmond + CSS-color 0xFFEBCD. + + hedId + HED_0012883 + + + + Brown + CSS-color 0xA52A2A. + + hedId + HED_0012884 + + + + BurlyWood + CSS-color 0xDEB887. + + hedId + HED_0012885 + + + + Chocolate + CSS-color 0xD2691E. + + hedId + HED_0012886 + + + + Cornsilk + CSS-color 0xFFF8DC. + + hedId + HED_0012887 + + + + DarkGoldenRod + CSS-color 0xB8860B. + + hedId + HED_0012888 + + + + GoldenRod + CSS-color 0xDAA520. + + hedId + HED_0012889 + + + + Maroon + CSS-color 0x800000. + + hedId + HED_0012890 + + + + NavajoWhite + CSS-color 0xFFDEAD. + + hedId + HED_0012891 + + + + Olive + CSS-color 0x808000. + + hedId + HED_0012892 + + + + Peru + CSS-color 0xCD853F. + + hedId + HED_0012893 + + + + RosyBrown + CSS-color 0xBC8F8F. + + hedId + HED_0012894 + + + + SaddleBrown + CSS-color 0x8B4513. + + hedId + HED_0012895 + + + + SandyBrown + CSS-color 0xF4A460. + + hedId + HED_0012896 + + + + Sienna + CSS-color 0xA0522D. + + hedId + HED_0012897 + + + + Tan + CSS-color 0xD2B48C. + + hedId + HED_0012898 + + + + Wheat + CSS-color 0xF5DEB3. + + hedId + HED_0012899 + + + + + Cyan-color + CSS color group. + + hedId + HED_0012900 + + + Aqua + CSS-color 0x00FFFF. + + hedId + HED_0012901 + + + + Aquamarine + CSS-color 0x7FFFD4. + + hedId + HED_0012902 + + + + Cyan + CSS-color 0x00FFFF. + + hedId + HED_0012903 + + + + DarkTurquoise + CSS-color 0x00CED1. + + hedId + HED_0012904 + + + + LightCyan + CSS-color 0xE0FFFF. + + hedId + HED_0012905 + + + + MediumTurquoise + CSS-color 0x48D1CC. + + hedId + HED_0012906 + + + + PaleTurquoise + CSS-color 0xAFEEEE. + + hedId + HED_0012907 + + + + Turquoise + CSS-color 0x40E0D0. + + hedId + HED_0012908 + + + + + Gray-color + CSS color group. + + hedId + HED_0012909 + + + Black + CSS-color 0x000000. + + hedId + HED_0012910 + + + + DarkGray + CSS-color 0xA9A9A9. + + hedId + HED_0012911 + + + + DarkSlateGray + CSS-color 0x2F4F4F. + + hedId + HED_0012912 + + + + DimGray + CSS-color 0x696969. + + hedId + HED_0012913 + + + + Gainsboro + CSS-color 0xDCDCDC. + + hedId + HED_0012914 + + + + Gray + CSS-color 0x808080. + + hedId + HED_0012915 + + + + LightGray + CSS-color 0xD3D3D3. + + hedId + HED_0012916 + + + + LightSlateGray + CSS-color 0x778899. + + hedId + HED_0012917 + + + + Silver + CSS-color 0xC0C0C0. + + hedId + HED_0012918 + + + + SlateGray + CSS-color 0x708090. + + hedId + HED_0012919 + + + + + Green-color + CSS color group. + + hedId + HED_0012920 + + + Chartreuse + CSS-color 0x7FFF00. + + hedId + HED_0012921 + + + + DarkCyan + CSS-color 0x008B8B. + + hedId + HED_0012922 + + + + DarkGreen + CSS-color 0x006400. + + hedId + HED_0012923 + + + + DarkOliveGreen + CSS-color 0x556B2F. + + hedId + HED_0012924 + + + + DarkSeaGreen + CSS-color 0x8FBC8F. + + hedId + HED_0012925 + + + + ForestGreen + CSS-color 0x228B22. + + hedId + HED_0012926 + + + + Green + CSS-color 0x008000. + + hedId + HED_0012927 + + + + GreenYellow + CSS-color 0xADFF2F. + + hedId + HED_0012928 + + + + LawnGreen + CSS-color 0x7CFC00. + + hedId + HED_0012929 + + + + LightGreen + CSS-color 0x90EE90. + + hedId + HED_0012930 + + + + LightSeaGreen + CSS-color 0x20B2AA. + + hedId + HED_0012931 + + + + Lime + CSS-color 0x00FF00. + + hedId + HED_0012932 + + + + LimeGreen + CSS-color 0x32CD32. + + hedId + HED_0012933 + + + + MediumAquaMarine + CSS-color 0x66CDAA. + + hedId + HED_0012934 + + + + MediumSeaGreen + CSS-color 0x3CB371. + + hedId + HED_0012935 + + + + MediumSpringGreen + CSS-color 0x00FA9A. + + hedId + HED_0012936 + + + + OliveDrab + CSS-color 0x6B8E23. + + hedId + HED_0012937 + + + + PaleGreen + CSS-color 0x98FB98. + + hedId + HED_0012938 + + + + SeaGreen + CSS-color 0x2E8B57. + + hedId + HED_0012939 + + + + SpringGreen + CSS-color 0x00FF7F. + + hedId + HED_0012940 + + + + Teal + CSS-color 0x008080. + + hedId + HED_0012941 + + + + YellowGreen + CSS-color 0x9ACD32. + + hedId + HED_0012942 + + + + + Orange-color + CSS color group. + + hedId + HED_0012943 + + + Coral + CSS-color 0xFF7F50. + + hedId + HED_0012944 + + + + DarkOrange + CSS-color 0xFF8C00. + + hedId + HED_0012945 + + + + Orange + CSS-color 0xFFA500. + + hedId + HED_0012946 + + + + OrangeRed + CSS-color 0xFF4500. + + hedId + HED_0012947 + + + + Tomato + CSS-color 0xFF6347. + + hedId + HED_0012948 + + + + + Pink-color + CSS color group. + + hedId + HED_0012949 + + + DeepPink + CSS-color 0xFF1493. + + hedId + HED_0012950 + + + + HotPink + CSS-color 0xFF69B4. + + hedId + HED_0012951 + + + + LightPink + CSS-color 0xFFB6C1. + + hedId + HED_0012952 + + + + MediumVioletRed + CSS-color 0xC71585. + + hedId + HED_0012953 + + + + PaleVioletRed + CSS-color 0xDB7093. + + hedId + HED_0012954 + + + + Pink + CSS-color 0xFFC0CB. + + hedId + HED_0012955 + + + + + Purple-color + CSS color group. + + hedId + HED_0012956 + + + BlueViolet + CSS-color 0x8A2BE2. + + hedId + HED_0012957 + + + + DarkMagenta + CSS-color 0x8B008B. + + hedId + HED_0012958 + + + + DarkOrchid + CSS-color 0x9932CC. + + hedId + HED_0012959 + + + + DarkSlateBlue + CSS-color 0x483D8B. + + hedId + HED_0012960 + + + + DarkViolet + CSS-color 0x9400D3. + + hedId + HED_0012961 + + + + Fuchsia + CSS-color 0xFF00FF. + + hedId + HED_0012962 + + + + Indigo + CSS-color 0x4B0082. + + hedId + HED_0012963 + + + + Lavender + CSS-color 0xE6E6FA. + + hedId + HED_0012964 + + + + Magenta + CSS-color 0xFF00FF. + + hedId + HED_0012965 + + + + MediumOrchid + CSS-color 0xBA55D3. + + hedId + HED_0012966 + + + + MediumPurple + CSS-color 0x9370DB. + + hedId + HED_0012967 + + + + MediumSlateBlue + CSS-color 0x7B68EE. + + hedId + HED_0012968 + + + + Orchid + CSS-color 0xDA70D6. + + hedId + HED_0012969 + + + + Plum + CSS-color 0xDDA0DD. + + hedId + HED_0012970 + + + + Purple + CSS-color 0x800080. + + hedId + HED_0012971 + + + + RebeccaPurple + CSS-color 0x663399. + + hedId + HED_0012972 + + + + SlateBlue + CSS-color 0x6A5ACD. + + hedId + HED_0012973 + + + + Thistle + CSS-color 0xD8BFD8. + + hedId + HED_0012974 + + + + Violet + CSS-color 0xEE82EE. + + hedId + HED_0012975 + + + + + Red-color + CSS color group. + + hedId + HED_0012976 + + + Crimson + CSS-color 0xDC143C. + + hedId + HED_0012977 + + + + DarkRed + CSS-color 0x8B0000. + + hedId + HED_0012978 + + + + DarkSalmon + CSS-color 0xE9967A. + + hedId + HED_0012979 + + + + FireBrick + CSS-color 0xB22222. + + hedId + HED_0012980 + + + + IndianRed + CSS-color 0xCD5C5C. + + hedId + HED_0012981 + + + + LightCoral + CSS-color 0xF08080. + + hedId + HED_0012982 + + + + LightSalmon + CSS-color 0xFFA07A. + + hedId + HED_0012983 + + + + Red + CSS-color 0xFF0000. + + hedId + HED_0012984 + + + + Salmon + CSS-color 0xFA8072. + + hedId + HED_0012985 + + + + + White-color + CSS color group. + + hedId + HED_0012986 + + + AliceBlue + CSS-color 0xF0F8FF. + + hedId + HED_0012987 + + + + AntiqueWhite + CSS-color 0xFAEBD7. + + hedId + HED_0012988 + + + + Azure + CSS-color 0xF0FFFF. + + hedId + HED_0012989 + + + + Beige + CSS-color 0xF5F5DC. + + hedId + HED_0012990 + + + + FloralWhite + CSS-color 0xFFFAF0. + + hedId + HED_0012991 + + + + GhostWhite + CSS-color 0xF8F8FF. + + hedId + HED_0012992 + + + + HoneyDew + CSS-color 0xF0FFF0. + + hedId + HED_0012993 + + + + Ivory + CSS-color 0xFFFFF0. + + hedId + HED_0012994 + + + + LavenderBlush + CSS-color 0xFFF0F5. + + hedId + HED_0012995 + + + + Linen + CSS-color 0xFAF0E6. + + hedId + HED_0012996 + + + + MintCream + CSS-color 0xF5FFFA. + + hedId + HED_0012997 + + + + MistyRose + CSS-color 0xFFE4E1. + + hedId + HED_0012998 + + + + OldLace + CSS-color 0xFDF5E6. + + hedId + HED_0012999 + + + + SeaShell + CSS-color 0xFFF5EE. + + hedId + HED_0013000 + + + + Snow + CSS-color 0xFFFAFA. + + hedId + HED_0013001 + + + + White + CSS-color 0xFFFFFF. + + hedId + HED_0013002 + + + + WhiteSmoke + CSS-color 0xF5F5F5. + + hedId + HED_0013003 + + + + + Yellow-color + CSS color group. + + hedId + HED_0013004 + + + DarkKhaki + CSS-color 0xBDB76B. + + hedId + HED_0013005 + + + + Gold + CSS-color 0xFFD700. + + hedId + HED_0013006 + + + + Khaki + CSS-color 0xF0E68C. + + hedId + HED_0013007 + + + + LemonChiffon + CSS-color 0xFFFACD. + + hedId + HED_0013008 + + + + LightGoldenRodYellow + CSS-color 0xFAFAD2. + + hedId + HED_0013009 + + + + LightYellow + CSS-color 0xFFFFE0. + + hedId + HED_0013010 + + + + Moccasin + CSS-color 0xFFE4B5. + + hedId + HED_0013011 + + + + PaleGoldenRod + CSS-color 0xEEE8AA. + + hedId + HED_0013012 + + + + PapayaWhip + CSS-color 0xFFEFD5. + + hedId + HED_0013013 + + + + PeachPuff + CSS-color 0xFFDAB9. + + hedId + HED_0013014 + + + + Yellow + CSS-color 0xFFFF00. + + hedId + HED_0013015 + + + + + + Color-shade + A slight degree of difference between colors, especially with regard to how light or dark it is or as distinguished from one nearly like it. + + hedId + HED_0013016 + + + Dark-shade + A color tone not reflecting much light. + + hedId + HED_0013017 + + + + Light-shade + A color tone reflecting more light. + + hedId + HED_0013018 + + + + + Grayscale + Using a color map composed of shades of gray, varying from black at the weakest intensity to white at the strongest. + + hedId + HED_0013019 + + + # + White intensity between 0 and 1. + + takesValue + + + valueClass + numericClass + + + hedId + HED_0013020 + + + + + HSV-color + A color representation that models how colors appear under light. + + hedId + HED_0013021 + + + HSV-value + An attribute of a visual sensation according to which an area appears to emit more or less light. + + hedId + HED_0013022 + + + # + + takesValue + + + valueClass + numericClass + + + hedId + HED_0013023 + + + + + Hue + Attribute of a visual sensation according to which an area appears to be similar to one of the perceived colors. + + hedId + HED_0013024 + + + # + Angular value between 0 and 360. + + takesValue + + + valueClass + numericClass + + + hedId + HED_0013025 + + + + + Saturation + Colorfulness of a stimulus relative to its own brightness. + + hedId + HED_0013026 + + + # + B value of RGB between 0 and 1. + + takesValue + + + valueClass + numericClass + + + hedId + HED_0013027 + + + + + + RGB-color + A color from the RGB schema. + + hedId + HED_0013028 + + + RGB-blue + The blue component. + + hedId + HED_0013029 + + + # + B value of RGB between 0 and 1. + + takesValue + + + valueClass + numericClass + + + hedId + HED_0013030 + + + + + RGB-green + The green component. + + hedId + HED_0013031 + + + # + G value of RGB between 0 and 1. + + takesValue + + + valueClass + numericClass + + + hedId + HED_0013032 + + + + + RGB-red + The red component. + + hedId + HED_0013033 + + + # + R value of RGB between 0 and 1. + + takesValue + + + valueClass + numericClass + + + hedId + HED_0013034 + + + + + + + Luminance + A quality that exists by virtue of the luminous intensity per unit area projected in a given direction. + + hedId + HED_0013035 + + + + Luminance-contrast + The difference in luminance in specific portions of a scene or image. + + suggestedTag + Percentage + Ratio + + + hedId + HED_0013036 + + + # + A non-negative value, usually in the range 0 to 1 or alternative 0 to 100, if representing a percentage. + + takesValue + + + valueClass + numericClass + + + hedId + HED_0013037 + + + + + Opacity + A measure of impenetrability to light. + + hedId + HED_0013038 + + + + + + Sensory-presentation + The entity has a sensory manifestation. + + hedId + HED_0013039 + + + Auditory-presentation + The sense of hearing is used in the presentation to the user. + + hedId + HED_0013040 + + + Loudspeaker-separation + The distance between two loudspeakers. Grouped with the Distance tag. + + suggestedTag + Distance + + + hedId + HED_0013041 + + + + Monophonic + Relating to sound transmission, recording, or reproduction involving a single transmission path. + + hedId + HED_0013042 + + + + Silent + The absence of ambient audible sound or the state of having ceased to produce sounds. + + hedId + HED_0013043 + + + + Stereophonic + Relating to, or constituting sound reproduction involving the use of separated microphones and two transmission channels to achieve the sound separation of a live hearing. + + hedId + HED_0013044 + + + + + Gustatory-presentation + The sense of taste used in the presentation to the user. + + hedId + HED_0013045 + + + + Olfactory-presentation + The sense of smell used in the presentation to the user. + + hedId + HED_0013046 + + + + Somatic-presentation + The nervous system is used in the presentation to the user. + + hedId + HED_0013047 + + + + Tactile-presentation + The sense of touch used in the presentation to the user. + + hedId + HED_0013048 + + + + Vestibular-presentation + The sense balance used in the presentation to the user. + + hedId + HED_0013049 + + + + Visual-presentation + The sense of sight used in the presentation to the user. + + hedId + HED_0013050 + + + 2D-view + A view showing only two dimensions. + + hedId + HED_0013051 + + + + 3D-view + A view showing three dimensions. + + hedId + HED_0013052 + + + + Background-view + Parts of the view that are farthest from the viewer and usually the not part of the visual focus. + + hedId + HED_0013053 + + + + Bistable-view + Something having two stable visual forms that have two distinguishable stable forms as in optical illusions. + + hedId + HED_0013054 + + + + Foreground-view + Parts of the view that are closest to the viewer and usually the most important part of the visual focus. + + hedId + HED_0013055 + + + + Foveal-view + Visual presentation directly on the fovea. A view projected on the small depression in the retina containing only cones and where vision is most acute. + + hedId + HED_0013056 + + + + Map-view + A diagrammatic representation of an area of land or sea showing physical features, cities, roads. + + hedId + HED_0013057 + + + Aerial-view + Elevated view of an object from above, with a perspective as though the observer were a bird. + + hedId + HED_0013058 + + + + Satellite-view + A representation as captured by technology such as a satellite. + + hedId + HED_0013059 + + + + Street-view + A 360-degrees panoramic view from a position on the ground. + + hedId + HED_0013060 + + + + + Peripheral-view + Indirect vision as it occurs outside the point of fixation. + + hedId + HED_0013061 + + + + + + + Task-property + Something that pertains to a task. + + extensionAllowed + + + hedId + HED_0013062 + + + Task-action-type + How an agent action should be interpreted in terms of the task specification. + + hedId + HED_0013063 + + + Appropriate-action + An action suitable or proper in the circumstances. + + relatedTag + Inappropriate-action + + + hedId + HED_0013064 + + + + Correct-action + An action that was a correct response in the context of the task. + + relatedTag + Incorrect-action + Indeterminate-action + + + hedId + HED_0013065 + + + + Correction + An action offering an improvement to replace a mistake or error. + + hedId + HED_0013066 + + + + Done-indication + An action that indicates that the participant has completed this step in the task. + + relatedTag + Ready-indication + + + hedId + HED_0013067 + + + + Imagined-action + Form a mental image or concept of something. This is used to identity something that only happened in the imagination of the participant as in imagined movements in motor imagery paradigms. + + hedId + HED_0013068 + + + + Inappropriate-action + An action not in keeping with what is correct or proper for the task. + + relatedTag + Appropriate-action + + + hedId + HED_0013069 + + + + Incorrect-action + An action considered wrong or incorrect in the context of the task. + + relatedTag + Correct-action + Indeterminate-action + + + hedId + HED_0013070 + + + + Indeterminate-action + An action that cannot be distinguished between two or more possibilities in the current context. This tag might be applied when an outside evaluator or a classification algorithm cannot determine a definitive result. + + relatedTag + Correct-action + Incorrect-action + Miss + Near-miss + + + hedId + HED_0013071 + + + + Miss + An action considered to be a failure in the context of the task. For example, if the agent is supposed to try to hit a target and misses. + + relatedTag + Near-miss + + + hedId + HED_0013072 + + + + Near-miss + An action barely satisfied the requirements of the task. In a driving experiment for example this could pertain to a narrowly avoided collision or other accident. + + relatedTag + Miss + + + hedId + HED_0013073 + + + + Omitted-action + An expected response was skipped. + + hedId + HED_0013074 + + + + Ready-indication + An action that indicates that the participant is ready to perform the next step in the task. + + relatedTag + Done-indication + + + hedId + HED_0013075 + + + + + Task-attentional-demand + Strategy for allocating attention toward goal-relevant information. + + hedId + HED_0013076 + + + Bottom-up-attention + Attentional guidance purely by externally driven factors to stimuli that are salient because of their inherent properties relative to the background. Sometimes this is referred to as stimulus driven. + + relatedTag + Top-down-attention + + + hedId + HED_0013077 + + + + Covert-attention + Paying attention without moving the eyes. + + relatedTag + Overt-attention + + + hedId + HED_0013078 + + + + Divided-attention + Integrating parallel multiple stimuli. Behavior involving responding simultaneously to multiple tasks or multiple task demands. + + relatedTag + Focused-attention + + + hedId + HED_0013079 + + + + Focused-attention + Responding discretely to specific visual, auditory, or tactile stimuli. + + relatedTag + Divided-attention + + + hedId + HED_0013080 + + + + Orienting-attention + Directing attention to a target stimulus. + + hedId + HED_0013081 + + + + Overt-attention + Selectively processing one location over others by moving the eyes to point at that location. + + relatedTag + Covert-attention + + + hedId + HED_0013082 + + + + Selective-attention + Maintaining a behavioral or cognitive set in the face of distracting or competing stimuli. Ability to pay attention to a limited array of all available sensory information. + + hedId + HED_0013083 + + + + Sustained-attention + Maintaining a consistent behavioral response during continuous and repetitive activity. + + hedId + HED_0013084 + + + + Switched-attention + Having to switch attention between two or more modalities of presentation. + + hedId + HED_0013085 + + + + Top-down-attention + Voluntary allocation of attention to certain features. Sometimes this is referred to goal-oriented attention. + + relatedTag + Bottom-up-attention + + + hedId + HED_0013086 + + + + + Task-effect-evidence + The evidence supporting the conclusion that the event had the specified effect. + + hedId + HED_0013087 + + + Behavioral-evidence + An indication or conclusion based on the behavior of an agent. + + hedId + HED_0013088 + + + + Computational-evidence + A type of evidence in which data are produced, and/or generated, and/or analyzed on a computer. + + hedId + HED_0013089 + + + + External-evidence + A phenomenon that follows and is caused by some previous phenomenon. + + hedId + HED_0013090 + + + + Intended-effect + A phenomenon that is intended to follow and be caused by some previous phenomenon. + + hedId + HED_0013091 + + + + + Task-event-role + The purpose of an event with respect to the task. + + hedId + HED_0013092 + + + Experimental-stimulus + Part of something designed to elicit a response in the experiment. + + hedId + HED_0013093 + + + + Incidental + A sensory or other type of event that is unrelated to the task or experiment. + + hedId + HED_0013094 + + + + Instructional + Usually associated with a sensory event intended to give instructions to the participant about the task or behavior. + + hedId + HED_0013095 + + + + Mishap + Unplanned disruption such as an equipment or experiment control abnormality or experimenter error. + + hedId + HED_0013096 + + + + Participant-response + Something related to a participant actions in performing the task. + + hedId + HED_0013097 + + + + Task-activity + Something that is part of the overall task or is necessary to the overall experiment but is not directly part of a stimulus-response cycle. Examples would be taking a survey or provided providing a silva sample. + + hedId + HED_0013098 + + + + Warning + Something that should warn the participant that the parameters of the task have been or are about to be exceeded such as a warning message about getting too close to the shoulder of the road in a driving task. + + hedId + HED_0013099 + + + + + Task-relationship + Specifying organizational importance of sub-tasks. + + hedId + HED_0013100 + + + Background-subtask + A part of the task which should be performed in the background as for example inhibiting blinks due to instruction while performing the primary task. + + hedId + HED_0013101 + + + + Primary-subtask + A part of the task which should be the primary focus of the participant. + + hedId + HED_0013102 + + + + + Task-stimulus-role + The role the stimulus plays in the task. + + hedId + HED_0013103 + + + Cue + A signal for an action, a pattern of stimuli indicating a particular response. + + hedId + HED_0013104 + + + + Distractor + A person or thing that distracts or a plausible but incorrect option in a multiple-choice question. In psychological studies this is sometimes referred to as a foil. + + hedId + HED_0013105 + + + + Expected + Considered likely, probable or anticipated. Something of low information value as in frequent non-targets in an RSVP paradigm. + + relatedTag + Unexpected + + + suggestedTag + Target + + + hedId + HED_0013106 + + + + Extraneous + Irrelevant or unrelated to the subject being dealt with. + + hedId + HED_0013107 + + + + Feedback + An evaluative response to an inquiry, process, event, or activity. + + hedId + HED_0013108 + + + + Go-signal + An indicator to proceed with a planned action. + + relatedTag + Stop-signal + + + hedId + HED_0013109 + + + + Meaningful + Conveying significant or relevant information. + + hedId + HED_0013110 + + + + Newly-learned + Representing recently acquired information or understanding. + + hedId + HED_0013111 + + + + Non-informative + Something that is not useful in forming an opinion or judging an outcome. + + hedId + HED_0013112 + + + + Non-target + Something other than that done or looked for. Also tag Expected if the Non-target is frequent. + + relatedTag + Target + + + hedId + HED_0013113 + + + + Not-meaningful + Not having a serious, important, or useful quality or purpose. + + hedId + HED_0013114 + + + + Novel + Having no previous example or precedent or parallel. + + hedId + HED_0013115 + + + + Oddball + Something unusual, or infrequent. + + relatedTag + Unexpected + + + suggestedTag + Target + + + hedId + HED_0013116 + + + + Penalty + A disadvantage, loss, or hardship due to some action. + + hedId + HED_0013117 + + + + Planned + Something that was decided on or arranged in advance. + + relatedTag + Unplanned + + + hedId + HED_0013118 + + + + Priming + An implicit memory effect in which exposure to a stimulus influences response to a later stimulus. + + hedId + HED_0013119 + + + + Query + A sentence of inquiry that asks for a reply. + + hedId + HED_0013120 + + + + Reward + A positive reinforcement for a desired action, behavior or response. + + hedId + HED_0013121 + + + + Stop-signal + An indicator that the agent should stop the current activity. + + relatedTag + Go-signal + + + hedId + HED_0013122 + + + + Target + Something fixed as a goal, destination, or point of examination. + + hedId + HED_0013123 + + + + Threat + An indicator that signifies hostility and predicts an increased probability of attack. + + hedId + HED_0013124 + + + + Timed + Something planned or scheduled to be done at a particular time or lasting for a specified amount of time. + + hedId + HED_0013125 + + + + Unexpected + Something that is not anticipated. + + relatedTag + Expected + + + hedId + HED_0013126 + + + + Unplanned + Something that has not been planned as part of the task. + + relatedTag + Planned + + + hedId + HED_0013127 + + + + + + + Relation + Concerns the way in which two or more people or things are connected. + + extensionAllowed + + + hedId + HED_0013128 + + + Comparative-relation + Something considered in comparison to something else. The first entity is the focus. + + hedId + HED_0013129 + + + Approximately-equal-to + (A, (Approximately-equal-to, B)) indicates that A and B have almost the same value. Here A and B could refer to sizes, orders, positions or other quantities. + + hedId + HED_0013130 + + + + Equal-to + (A, (Equal-to, B)) indicates that the size or order of A is the same as that of B. + + hedId + HED_0013131 + + + + Greater-than + (A, (Greater-than, B)) indicates that the relative size or order of A is bigger than that of B. + + hedId + HED_0013132 + + + + Greater-than-or-equal-to + (A, (Greater-than-or-equal-to, B)) indicates that the relative size or order of A is bigger than or the same as that of B. + + hedId + HED_0013133 + + + + Less-than + (A, (Less-than, B)) indicates that A is smaller than B. Here A and B could refer to sizes, orders, positions or other quantities. + + hedId + HED_0013134 + + + + Less-than-or-equal-to + (A, (Less-than-or-equal-to, B)) indicates that the relative size or order of A is smaller than or equal to B. + + hedId + HED_0013135 + + + + Not-equal-to + (A, (Not-equal-to, B)) indicates that the size or order of A is not the same as that of B. + + hedId + HED_0013136 + + + + + Connective-relation + Indicates two entities are related in some way. The first entity is the focus. + + hedId + HED_0013137 + + + Belongs-to + (A, (Belongs-to, B)) indicates that A is a member of B. + + hedId + HED_0013138 + + + + Connected-to + (A, (Connected-to, B)) indicates that A is related to B in some respect, usually through a direct link. + + hedId + HED_0013139 + + + + Contained-in + (A, (Contained-in, B)) indicates that A is completely inside of B. + + hedId + HED_0013140 + + + + Described-by + (A, (Described-by, B)) indicates that B provides information about A. + + hedId + HED_0013141 + + + + From-to + (A, (From-to, B)) indicates a directional relation from A to B. A is considered the source. + + hedId + HED_0013142 + + + + Group-of + (A, (Group-of, B)) indicates A is a group of items of type B. + + hedId + HED_0013143 + + + + Implied-by + (A, (Implied-by, B)) indicates B is suggested by A. + + hedId + HED_0013144 + + + + Includes + (A, (Includes, B)) indicates that A has B as a member or part. + + hedId + HED_0013145 + + + + Interacts-with + (A, (Interacts-with, B)) indicates A and B interact, possibly reciprocally. + + hedId + HED_0013146 + + + + Member-of + (A, (Member-of, B)) indicates A is a member of group B. + + hedId + HED_0013147 + + + + Part-of + (A, (Part-of, B)) indicates A is a part of the whole B. + + hedId + HED_0013148 + + + + Performed-by + (A, (Performed-by, B)) indicates that the action or procedure A was carried out by agent B. + + hedId + HED_0013149 + + + + Performed-using + (A, (Performed-using, B)) indicates that the action or procedure A was accomplished using B. + + hedId + HED_0013150 + + + + Related-to + (A, (Related-to, B)) indicates A has some relationship to B. + + hedId + HED_0013151 + + + + Unrelated-to + (A, (Unrelated-to, B)) indicates that A is not related to B.For example, A is not related to Task. + + hedId + HED_0013152 + + + + + Directional-relation + A relationship indicating direction of change of one entity relative to another. The first entity is the focus. + + hedId + HED_0013153 + + + Away-from + (A, (Away-from, B)) indicates that A is going or has moved away from B. The meaning depends on A and B. + + hedId + HED_0013154 + + + + Towards + (A, (Towards, B)) indicates that A is going to or has moved to B. The meaning depends on A and B. + + hedId + HED_0013155 + + + + + Logical-relation + Indicating a logical relationship between entities. The first entity is usually the focus. + + hedId + HED_0013156 + + + And + (A, (And, B)) means A and B are both in effect. + + hedId + HED_0013157 + + + + Or + (A, (Or, B)) means at least one of A and B are in effect. + + hedId + HED_0013158 + + + + + Spatial-relation + Indicating a relationship about position between entities. + + hedId + HED_0013159 + + + Above + (A, (Above, B)) means A is in a place or position that is higher than B. + + hedId + HED_0013160 + + + + Across-from + (A, (Across-from, B)) means A is on the opposite side of something from B. + + hedId + HED_0013161 + + + + Adjacent-to + (A, (Adjacent-to, B)) indicates that A is next to B in time or space. + + hedId + HED_0013162 + + + + Ahead-of + (A, (Ahead-of, B)) indicates that A is further forward in time or space in B. + + hedId + HED_0013163 + + + + Around + (A, (Around, B)) means A is in or near the present place or situation of B. + + hedId + HED_0013164 + + + + Behind + (A, (Behind, B)) means A is at or to the far side of B, typically so as to be hidden by it. + + hedId + HED_0013165 + + + + Below + (A, (Below, B)) means A is in a place or position that is lower than the position of B. + + hedId + HED_0013166 + + + + Between + (A, (Between, (B, C))) means A is in the space or interval separating B and C. + + hedId + HED_0013167 + + + + Bilateral-to + (A, (Bilateral, B)) means A is on both sides of B or affects both sides of B. + + hedId + HED_0013168 + + + + Bottom-edge-of + (A, (Bottom-edge-of, B)) means A is on the bottom most part or or near the boundary of B. + + relatedTag + Left-edge-of + Right-edge-of + Top-edge-of + + + hedId + HED_0013169 + + + + Boundary-of + (A, (Boundary-of, B)) means A is on or part of the edge or boundary of B. + + hedId + HED_0013170 + + + + Center-of + (A, (Center-of, B)) means A is at a point or or in an area that is approximately central within B. + + hedId + HED_0013171 + + + + Close-to + (A, (Close-to, B)) means A is at a small distance from or is located near in space to B. + + hedId + HED_0013172 + + + + Far-from + (A, (Far-from, B)) means A is at a large distance from or is not located near in space to B. + + hedId + HED_0013173 + + + + In-front-of + (A, (In-front-of, B)) means A is in a position just ahead or at the front part of B, potentially partially blocking B from view. + + hedId + HED_0013174 + + + + Left-edge-of + (A, (Left-edge-of, B)) means A is located on the left side of B on or near the boundary of B. + + relatedTag + Bottom-edge-of + Right-edge-of + Top-edge-of + + + hedId + HED_0013175 + + + + Left-side-of + (A, (Left-side-of, B)) means A is located on the left side of B usually as part of B. + + relatedTag + Right-side-of + + + hedId + HED_0013176 + + + + Lower-center-of + (A, (Lower-center-of, B)) means A is situated on the lower center part of B (due south). This relation is often used to specify qualitative information about screen position. + + relatedTag + Center-of + Lower-left-of + Lower-right-of + Upper-center-of + Upper-right-of + + + hedId + HED_0013177 + + + + Lower-left-of + (A, (Lower-left-of, B)) means A is situated on the lower left part of B. This relation is often used to specify qualitative information about screen position. + + relatedTag + Center-of + Lower-center-of + Lower-right-of + Upper-center-of + Upper-left-of + Upper-right-of + + + hedId + HED_0013178 + + + + Lower-right-of + (A, (Lower-right-of, B)) means A is situated on the lower right part of B. This relation is often used to specify qualitative information about screen position. + + relatedTag + Center-of + Lower-center-of + Lower-left-of + Upper-left-of + Upper-center-of + Upper-left-of + Lower-right-of + + + hedId + HED_0013179 + + + + Outside-of + (A, (Outside-of, B)) means A is located in the space around but not including B. + + hedId + HED_0013180 + + + + Over + (A, (Over, B)) means A above is above B so as to cover or protect or A extends over the a general area as from a from a vantage point. + + hedId + HED_0013181 + + + + Right-edge-of + (A, (Right-edge-of, B)) means A is located on the right side of B on or near the boundary of B. + + relatedTag + Bottom-edge-of + Left-edge-of + Top-edge-of + + + hedId + HED_0013182 + + + + Right-side-of + (A, (Right-side-of, B)) means A is located on the right side of B usually as part of B. + + relatedTag + Left-side-of + + + hedId + HED_0013183 + + + + To-left-of + (A, (To-left-of, B)) means A is located on or directed toward the side to the west of B when B is facing north. This term is used when A is not part of B. + + hedId + HED_0013184 + + + + To-right-of + (A, (To-right-of, B)) means A is located on or directed toward the side to the east of B when B is facing north. This term is used when A is not part of B. + + hedId + HED_0013185 + + + + Top-edge-of + (A, (Top-edge-of, B)) means A is on the uppermost part or or near the boundary of B. + + relatedTag + Left-edge-of + Right-edge-of + Bottom-edge-of + + + hedId + HED_0013186 + + + + Top-of + (A, (Top-of, B)) means A is on the uppermost part, side, or surface of B. + + hedId + HED_0013187 + + + + Underneath + (A, (Underneath, B)) means A is situated directly below and may be concealed by B. + + hedId + HED_0013188 + + + + Upper-center-of + (A, (Upper-center-of, B)) means A is situated on the upper center part of B (due north). This relation is often used to specify qualitative information about screen position. + + relatedTag + Center-of + Lower-center-of + Lower-left-of + Lower-right-of + Upper-center-of + Upper-right-of + + + hedId + HED_0013189 + + + + Upper-left-of + (A, (Upper-left-of, B)) means A is situated on the upper left part of B. This relation is often used to specify qualitative information about screen position. + + relatedTag + Center-of + Lower-center-of + Lower-left-of + Lower-right-of + Upper-center-of + Upper-right-of + + + hedId + HED_0013190 + + + + Upper-right-of + (A, (Upper-right-of, B)) means A is situated on the upper right part of B. This relation is often used to specify qualitative information about screen position. + + relatedTag + Center-of + Lower-center-of + Lower-left-of + Upper-left-of + Upper-center-of + Lower-right-of + + + hedId + HED_0013191 + + + + Within + (A, (Within, B)) means A is on the inside of or contained in B. + + hedId + HED_0013192 + + + + + Temporal-relation + A relationship that includes a temporal or time-based component. + + hedId + HED_0013193 + + + After + (A, (After, B)) means A happens at a time subsequent to a reference time related to B. + + hedId + HED_0013194 + + + + Asynchronous-with + (A, (Asynchronous-with, B)) means A happens at times not occurring at the same time or having the same period or phase as B. + + hedId + HED_0013195 + + + + Before + (A, (Before, B)) means A happens at a time earlier in time or order than B. + + hedId + HED_0013196 + + + + During + (A, (During, B)) means A happens at some point in a given period of time in which B is ongoing. + + hedId + HED_0013197 + + + + Synchronous-with + (A, (Synchronous-with, B)) means A happens at occurs at the same time or rate as B. + + hedId + HED_0013198 + + + + Waiting-for + (A, (Waiting-for, B)) means A pauses for something to happen in B. + + hedId + HED_0013199 + + + + + + + + accelerationUnits + + defaultUnits + m-per-s^2 + + + hedId + HED_0011500 + + + m-per-s^2 + + SIUnit + + + unitSymbol + + + conversionFactor + 1.0 + + + allowedCharacter + caret + + + hedId + HED_0011600 + + + + + angleUnits + + defaultUnits + radian + + + hedId + HED_0011501 + + + radian + + SIUnit + + + conversionFactor + 1.0 + + + hedId + HED_0011601 + + + + rad + + SIUnit + + + unitSymbol + + + conversionFactor + 1.0 + + + hedId + HED_0011602 + + + + degree + + conversionFactor + 0.0174533 + + + hedId + HED_0011603 + + + + + areaUnits + + defaultUnits + m^2 + + + hedId + HED_0011502 + + + m^2 + + SIUnit + + + unitSymbol + + + conversionFactor + 1.0 + + + allowedCharacter + caret + + + hedId + HED_0011604 + + + + + currencyUnits + Units indicating the worth of something. + + defaultUnits + $ + + + hedId + HED_0011503 + + + dollar + + conversionFactor + 1.0 + + + hedId + HED_0011605 + + + + $ + + unitPrefix + + + unitSymbol + + + conversionFactor + 1.0 + + + allowedCharacter + dollar + + + hedId + HED_0011606 + + + + euro + The official currency of a large subset of member countries of the European Union. + + hedId + HED_0011607 + + + + point + An arbitrary unit of value, usually an integer indicating reward or penalty. + + hedId + HED_0011608 + + + + + electricPotentialUnits + + defaultUnits + uV + + + hedId + HED_0011504 + + + V + + SIUnit + + + unitSymbol + + + conversionFactor + 0.000001 + + + hedId + HED_0011609 + + + + uV + Added as a direct unit because it is the default unit. + + conversionFactor + 1.0 + + + hedId + HED_0011644 + + + + volt + + SIUnit + + + conversionFactor + 0.000001 + + + hedId + HED_0011610 + + + + + frequencyUnits + + defaultUnits + Hz + + + hedId + HED_0011505 + + + hertz + + SIUnit + + + conversionFactor + 1.0 + + + hedId + HED_0011611 + + + + Hz + + SIUnit + + + unitSymbol + + + conversionFactor + 1.0 + + + hedId + HED_0011612 + + + + + intensityUnits + + defaultUnits + dB + + + hedId + HED_0011506 + + + dB + Intensity expressed as ratio to a threshold. May be used for sound intensity. + + unitSymbol + + + conversionFactor + 1.0 + + + hedId + HED_0011613 + + + + candela + Units used to express light intensity. + + SIUnit + + + hedId + HED_0011614 + + + + cd + Units used to express light intensity. + + SIUnit + + + unitSymbol + + + hedId + HED_0011615 + + + + + jerkUnits + + defaultUnits + m-per-s^3 + + + hedId + HED_0011507 + + + m-per-s^3 + + unitSymbol + + + conversionFactor + 1.0 + + + allowedCharacter + caret + + + hedId + HED_0011616 + + + + + magneticFieldUnits + + defaultUnits + T + + + hedId + HED_0011508 + + + tesla + + SIUnit + + + conversionFactor + 10e-15 + + + hedId + HED_0011617 + + + + T + + SIUnit + + + unitSymbol + + + conversionFactor + 10e-15 + + + hedId + HED_0011618 + + + + + memorySizeUnits + + defaultUnits + B + + + hedId + HED_0011509 + + + byte + + SIUnit + + + conversionFactor + 1.0 + + + hedId + HED_0011619 + + + + B + + SIUnit + + + unitSymbol + + + conversionFactor + 1.0 + + + hedId + HED_0011620 + + + + + physicalLengthUnits + + defaultUnits + m + + + hedId + HED_0011510 + + + foot + + conversionFactor + 0.3048 + + + hedId + HED_0011621 + + + + inch + + conversionFactor + 0.0254 + + + hedId + HED_0011622 + + + + meter + + SIUnit + + + conversionFactor + 1.0 + + + hedId + HED_0011623 + + + + metre + + SIUnit + + + conversionFactor + 1.0 + + + hedId + HED_0011624 + + + + m + + SIUnit + + + unitSymbol + + + conversionFactor + 1.0 + + + hedId + HED_0011625 + + + + mile + + conversionFactor + 1609.34 + + + hedId + HED_0011626 + + + + + speedUnits + + defaultUnits + m-per-s + + + hedId + HED_0011511 + + + m-per-s + + SIUnit + + + unitSymbol + + + conversionFactor + 1.0 + + + hedId + HED_0011627 + + + + mph + + unitSymbol + + + conversionFactor + 0.44704 + + + hedId + HED_0011628 + + + + kph + + unitSymbol + + + conversionFactor + 0.277778 + + + hedId + HED_0011629 + + + + + temperatureUnits + + defaultUnits + degree-Celsius + + + hedId + HED_0011512 + + + degree-Celsius + + SIUnit + + + conversionFactor + 1.0 + + + hedId + HED_0011630 + + + + degree Celsius + Units are not allowed to have spaces. Use degree-Celsius or oC instead. + + deprecatedFrom + 8.2.0 + + + SIUnit + + + conversionFactor + 1.0 + + + hedId + HED_0011631 + + + + oC + + SIUnit + + + unitSymbol + + + conversionFactor + 1.0 + + + hedId + HED_0011632 + + + + + timeUnits + + defaultUnits + s + + + hedId + HED_0011513 + + + second + + SIUnit + + + conversionFactor + 1.0 + + + hedId + HED_0011633 + + + + s + + SIUnit + + + unitSymbol + + + conversionFactor + 1.0 + + + hedId + HED_0011634 + + + + day + + conversionFactor + 86400 + + + hedId + HED_0011635 + + + + month + + hedId + HED_0011645 + + + + minute + + conversionFactor + 60 + + + hedId + HED_0011636 + + + + hour + Should be in 24-hour format. + + conversionFactor + 3600 + + + hedId + HED_0011637 + + + + year + Years do not have a constant conversion factor to seconds. + + hedId + HED_0011638 + + + + + volumeUnits + + defaultUnits + m^3 + + + hedId + HED_0011514 + + + m^3 + + SIUnit + + + unitSymbol + + + conversionFactor + 1.0 + + + allowedCharacter + caret + + + hedId + HED_0011639 + + + + + weightUnits + + defaultUnits + g + + + hedId + HED_0011515 + + + g + + SIUnit + + + unitSymbol + + + conversionFactor + 1.0 + + + hedId + HED_0011640 + + + + gram + + SIUnit + + + conversionFactor + 1.0 + + + hedId + HED_0011641 + + + + pound + + conversionFactor + 453.592 + + + hedId + HED_0011642 + + + + lb + + conversionFactor + 453.592 + + + hedId + HED_0011643 + + + + + + + deca + SI unit multiple representing 10e1. + + SIUnitModifier + + + conversionFactor + 10.0 + + + hedId + HED_0011400 + + + + da + SI unit multiple representing 10e1. + + SIUnitSymbolModifier + + + conversionFactor + 10.0 + + + hedId + HED_0011401 + + + + hecto + SI unit multiple representing 10e2. + + SIUnitModifier + + + conversionFactor + 100.0 + + + hedId + HED_0011402 + + + + h + SI unit multiple representing 10e2. + + SIUnitSymbolModifier + + + conversionFactor + 100.0 + + + hedId + HED_0011403 + + + + kilo + SI unit multiple representing 10e3. + + SIUnitModifier + + + conversionFactor + 1000.0 + + + hedId + HED_0011404 + + + + k + SI unit multiple representing 10e3. + + SIUnitSymbolModifier + + + conversionFactor + 1000.0 + + + hedId + HED_0011405 + + + + mega + SI unit multiple representing 10e6. + + SIUnitModifier + + + conversionFactor + 10e6 + + + hedId + HED_0011406 + + + + M + SI unit multiple representing 10e6. + + SIUnitSymbolModifier + + + conversionFactor + 10e6 + + + hedId + HED_0011407 + + + + giga + SI unit multiple representing 10e9. + + SIUnitModifier + + + conversionFactor + 10e9 + + + hedId + HED_0011408 + + + + G + SI unit multiple representing 10e9. + + SIUnitSymbolModifier + + + conversionFactor + 10e9 + + + hedId + HED_0011409 + + + + tera + SI unit multiple representing 10e12. + + SIUnitModifier + + + conversionFactor + 10e12 + + + hedId + HED_0011410 + + + + T + SI unit multiple representing 10e12. + + SIUnitSymbolModifier + + + conversionFactor + 10e12 + + + hedId + HED_0011411 + + + + peta + SI unit multiple representing 10e15. + + SIUnitModifier + + + conversionFactor + 10e15 + + + hedId + HED_0011412 + + + + P + SI unit multiple representing 10e15. + + SIUnitSymbolModifier + + + conversionFactor + 10e15 + + + hedId + HED_0011413 + + + + exa + SI unit multiple representing 10e18. + + SIUnitModifier + + + conversionFactor + 10e18 + + + hedId + HED_0011414 + + + + E + SI unit multiple representing 10e18. + + SIUnitSymbolModifier + + + conversionFactor + 10e18 + + + hedId + HED_0011415 + + + + zetta + SI unit multiple representing 10e21. + + SIUnitModifier + + + conversionFactor + 10e21 + + + hedId + HED_0011416 + + + + Z + SI unit multiple representing 10e21. + + SIUnitSymbolModifier + + + conversionFactor + 10e21 + + + hedId + HED_0011417 + + + + yotta + SI unit multiple representing 10e24. + + SIUnitModifier + + + conversionFactor + 10e24 + + + hedId + HED_0011418 + + + + Y + SI unit multiple representing 10e24. + + SIUnitSymbolModifier + + + conversionFactor + 10e24 + + + hedId + HED_0011419 + + + + deci + SI unit submultiple representing 10e-1. + + SIUnitModifier + + + conversionFactor + 0.1 + + + hedId + HED_0011420 + + + + d + SI unit submultiple representing 10e-1. + + SIUnitSymbolModifier + + + conversionFactor + 0.1 + + + hedId + HED_0011421 + + + + centi + SI unit submultiple representing 10e-2. + + SIUnitModifier + + + conversionFactor + 0.01 + + + hedId + HED_0011422 + + + + c + SI unit submultiple representing 10e-2. + + SIUnitSymbolModifier + + + conversionFactor + 0.01 + + + hedId + HED_0011423 + + + + milli + SI unit submultiple representing 10e-3. + + SIUnitModifier + + + conversionFactor + 0.001 + + + hedId + HED_0011424 + + + + m + SI unit submultiple representing 10e-3. + + SIUnitSymbolModifier + + + conversionFactor + 0.001 + + + hedId + HED_0011425 + + + + micro + SI unit submultiple representing 10e-6. + + SIUnitModifier + + + conversionFactor + 10e-6 + + + hedId + HED_0011426 + + + + u + SI unit submultiple representing 10e-6. + + SIUnitSymbolModifier + + + conversionFactor + 10e-6 + + + hedId + HED_0011427 + + + + nano + SI unit submultiple representing 10e-9. + + SIUnitModifier + + + conversionFactor + 10e-9 + + + hedId + HED_0011428 + + + + n + SI unit submultiple representing 10e-9. + + SIUnitSymbolModifier + + + conversionFactor + 10e-9 + + + hedId + HED_0011429 + + + + pico + SI unit submultiple representing 10e-12. + + SIUnitModifier + + + conversionFactor + 10e-12 + + + hedId + HED_0011430 + + + + p + SI unit submultiple representing 10e-12. + + SIUnitSymbolModifier + + + conversionFactor + 10e-12 + + + hedId + HED_0011431 + + + + femto + SI unit submultiple representing 10e-15. + + SIUnitModifier + + + conversionFactor + 10e-15 + + + hedId + HED_0011432 + + + + f + SI unit submultiple representing 10e-15. + + SIUnitSymbolModifier + + + conversionFactor + 10e-15 + + + hedId + HED_0011433 + + + + atto + SI unit submultiple representing 10e-18. + + SIUnitModifier + + + conversionFactor + 10e-18 + + + hedId + HED_0011434 + + + + a + SI unit submultiple representing 10e-18. + + SIUnitSymbolModifier + + + conversionFactor + 10e-18 + + + hedId + HED_0011435 + + + + zepto + SI unit submultiple representing 10e-21. + + SIUnitModifier + + + conversionFactor + 10e-21 + + + hedId + HED_0011436 + + + + z + SI unit submultiple representing 10e-21. + + SIUnitSymbolModifier + + + conversionFactor + 10e-21 + + + hedId + HED_0011437 + + + + yocto + SI unit submultiple representing 10e-24. + + SIUnitModifier + + + conversionFactor + 10e-24 + + + hedId + HED_0011438 + + + + y + SI unit submultiple representing 10e-24. + + SIUnitSymbolModifier + + + conversionFactor + 10e-24 + + + hedId + HED_0011439 + + + + + + dateTimeClass + Date-times should conform to ISO8601 date-time format YYYY-MM-DDThh:mm:ss.000000Z (year, month, day, hour (24h), minute, second, optional fractional seconds, and optional UTC time indicator. Any variation on the full form is allowed. + + allowedCharacter + digits + T + hyphen + colon + + + hedId + HED_0011301 + + + + nameClass + Value class designating values that have the characteristics of node names. The allowed characters are alphanumeric, hyphen, and underscore. + + allowedCharacter + letters + digits + underscore + hyphen + + + hedId + HED_0011302 + + + + numericClass + Value must be a valid numerical value. + + allowedCharacter + digits + E + e + plus + hyphen + period + + + hedId + HED_0011303 + + + + posixPath + Posix path specification. + + allowedCharacter + digits + letters + slash + colon + + + hedId + HED_0011304 + + + + textClass + Values that have the characteristics of text such as in descriptions. The text characters include printable characters (32 <= ASCII< 127) excluding comma, square bracket and curly braces as well as non ASCII (ASCII codes > 127). + + allowedCharacter + text + + + hedId + HED_0011305 + + + + + + hedId + The unique identifier of this element in the HED namespace. + + elementDomain + + + stringRange + + + hedId + HED_0010500 + + + annotationProperty + + + + requireChild + This tag must have a descendent. + + tagDomain + + + boolRange + + + hedId + HED_0010501 + + + annotationProperty + + + + rooted + This top-level library schema node should have a parent which is the indicated node in the partnered standard schema. + + tagDomain + + + tagRange + + + hedId + HED_0010502 + + + annotationProperty + + + + takesValue + This tag is a hashtag placeholder that is expected to be replaced with a user-defined value. + + tagDomain + + + boolRange + + + hedId + HED_0010503 + + + annotationProperty + + + + defaultUnits + The default units to use if the placeholder has a unit class but the substituted value has no units. + + unitClassDomain + + + unitRange + + + hedId + HED_0010104 + + + + isPartOf + This tag is part of the indicated tag -- as in the nose is part of the face. + + tagDomain + + + tagRange + + + hedId + HED_0010109 + + + + relatedTag + A HED tag that is closely related to this tag. This attribute is used by tagging tools. + + tagDomain + + + tagRange + + + hedId + HED_0010105 + + + + suggestedTag + A tag that is often associated with this tag. This attribute is used by tagging tools to provide tagging suggestions. + + tagDomain + + + tagRange + + + hedId + HED_0010106 + + + + unitClass + The unit class that the value of a placeholder node can belong to. + + tagDomain + + + unitClassRange + + + hedId + HED_0010107 + + + + valueClass + Type of value taken on by the value of a placeholder node. + + tagDomain + + + valueClassRange + + + hedId + HED_0010108 + + + + allowedCharacter + A special character that is allowed in expressing the value of a placeholder of a specified value class. Allowed characters may be listed individual, named individually, or named as a group as specified in Section 2.2 Character sets and restrictions of the HED specification. + + unitDomain + + + unitModifierDomain + + + valueClassDomain + + + stringRange + + + hedId + HED_0010304 + + + + conversionFactor + The factor to multiply these units or unit modifiers by to convert to default units. + + unitDomain + + + unitModifierDomain + + + numericRange + + + hedId + HED_0010305 + + + + deprecatedFrom + The latest schema version in which the element was not deprecated. + + elementDomain + + + stringRange + + + hedId + HED_0010306 + + + + extensionAllowed + Users can add unlimited levels of child nodes under this tag. This tag is propagated to child nodes except for hashtag placeholders. + + tagDomain + + + boolRange + + + hedId + HED_0010307 + + + + inLibrary + The named library schema that this schema element is from. This attribute is added by tools when a library schema is merged into its partnered standard schema. + + elementDomain + + + stringRange + + + hedId + HED_0010309 + + + + reserved + This tag has special meaning and requires special handling by tools. + + tagDomain + + + boolRange + + + hedId + HED_0010310 + + + + SIUnit + This unit element is an SI unit and can be modified by multiple and sub-multiple names. Note that some units such as byte are designated as SI units although they are not part of the standard. + + unitDomain + + + boolRange + + + hedId + HED_0010311 + + + + SIUnitModifier + This SI unit modifier represents a multiple or sub-multiple of a base unit rather than a unit symbol. + + unitModifierDomain + + + boolRange + + + hedId + HED_0010312 + + + + SIUnitSymbolModifier + This SI unit modifier represents a multiple or sub-multiple of a unit symbol rather than a base symbol. + + unitModifierDomain + + + boolRange + + + hedId + HED_0010313 + + + + tagGroup + This tag can only appear inside a tag group. + + tagDomain + + + boolRange + + + hedId + HED_0010314 + + + + topLevelTagGroup + This tag (or its descendants) can only appear in a top-level tag group. There are additional tag-specific restrictions on what other tags can appear in the group with this tag. + + tagDomain + + + boolRange + + + hedId + HED_0010315 + + + + unique + Only one of this tag or its descendants can be used in the event-level HED string. + + tagDomain + + + boolRange + + + hedId + HED_0010316 + + + + unitPrefix + This unit is a prefix unit (e.g., dollar sign in the currency units). + + unitDomain + + + boolRange + + + hedId + HED_0010317 + + + + unitSymbol + This tag is an abbreviation or symbol representing a type of unit. Unit symbols represent both the singular and the plural and thus cannot be pluralized. + + unitDomain + + + boolRange + + + hedId + HED_0010318 + + + + + + annotationProperty + The value is not inherited by child nodes. + + hedId + HED_0010701 + + + + boolRange + This schema attribute's value can be true or false. This property was formerly named boolProperty. + + hedId + HED_0010702 + + + + elementDomain + This schema attribute can apply to any type of element class (i.e., tag, unit, unit class, unit modifier, or value class). This property was formerly named elementProperty. + + hedId + HED_0010703 + + + + tagDomain + This schema attribute can apply to node (tag-term) elements. This was added so attributes could apply to multiple types of elements. This property was formerly named nodeProperty. + + hedId + HED_0010704 + + + + tagRange + This schema attribute's value can be a node. This property was formerly named nodeProperty. + + hedId + HED_0010705 + + + + numericRange + This schema attribute's value can be numeric. + + hedId + HED_0010706 + + + + stringRange + This schema attribute's value can be a string. + + hedId + HED_0010707 + + + + unitClassDomain + This schema attribute can apply to unit classes. This property was formerly named unitClassProperty. + + hedId + HED_0010708 + + + + unitClassRange + This schema attribute's value can be a unit class. + + hedId + HED_0010709 + + + + unitModifierDomain + This schema attribute can apply to unit modifiers. This property was formerly named unitModifierProperty. + + hedId + HED_0010710 + + + + unitDomain + This schema attribute can apply to units. This property was formerly named unitProperty. + + hedId + HED_0010711 + + + + unitRange + This schema attribute's value can be units. + + hedId + HED_0010712 + + + + valueClassDomain + This schema attribute can apply to value classes. This property was formerly named valueClassProperty. + + hedId + HED_0010713 + + + + valueClassRange + This schema attribute's value can be a value class. + + hedId + HED_0010714 + + + + This schema is released under the Creative Commons Attribution 4.0 International and is a product of the HED Working Group. The DOI for the latest version of the HED standard schema is 10.5281/zenodo.7876037. +