diff --git a/build/build-termlist.ipynb b/build/build-termlist.ipynb new file mode 100644 index 0000000..ed08aa1 --- /dev/null +++ b/build/build-termlist.ipynb @@ -0,0 +1,581 @@ +{ + "cells": [ + { + "cell_type": "code", + "execution_count": 1, + "metadata": {}, + "outputs": [], + "source": [ + "# Script to build Markdown pages that provide term metadata for complex vocabularies\n", + "# Steve Baskauf 2020-08-12 CC0\n", + "# This script merges static Markdown header and footer documents with term information tables (in Markdown) generated from data in the rs.tdwg.org repo from the TDWG Github site\n", + "\n", + "import re\n", + "import requests # best library to manage HTTP transactions\n", + "import csv # library to read/write/parse CSV files\n", + "import json # library to convert JSON to Python data structures\n", + "import pandas as pd\n", + "\n", + "# -----------------\n", + "# Configuration section\n", + "# -----------------\n", + "\n", + "# !!!! NOTE !!!!\n", + "# There is not currently an example of a complex vocabulary that has the column headers\n", + "# used in the sample files. In order to test this script, it uses the Audubon Core files,\n", + "# which have headers that differ from the samples. So throughout the code, there are\n", + "# pairs of lines where the default header names are commented out and the Audubon Core\n", + "# headers are not. To build a page using the sample files, you will need to reverse the\n", + "# commenting of these pairs.\n", + "\n", + "# This is the base URL for raw files from the branch of the repo that has been pushed to GitHub\n", + "githubBaseUri = 'https://raw.githubusercontent.com/tdwg/rs.tdwg.org/master/'\n", + "\n", + "headerFileName = 'termlist-header.md'\n", + "footerFileName = 'termlist-footer.md'\n", + "outFileName = '../docs/list/index.md'\n", + "\n", + "# This is a Python list of the database names of the term lists to be included in the document.\n", + "termLists = ['terms', 'iri', 'dc-for-dwc', 'dcterms-for-dwc']\n", + "#termLists = ['pathway']\n", + "\n", + "# NOTE! There may be problems unless every term list is of the same vocabulary type since the number of columns will differ\n", + "# However, there probably aren't any circumstances where mixed types will be used to generate the same page.\n", + "vocab_type = 1 # 1 is simple vocabulary, 2 is simple controlled vocabulary, 3 is c.v. with broader hierarchy\n", + "\n", + "# Terms in large vocabularies like Darwin and Audubon Cores may be organized into categories using tdwgutility_organizedInClass\n", + "# If so, those categories can be used to group terms in the generated term list document.\n", + "organized_in_categories = True\n", + "\n", + "# If organized in categories, the display_order list must contain the IRIs that are values of tdwgutility_organizedInClass\n", + "# If not organized into categories, the value is irrelevant. There just needs to be one item in the list.\n", + "display_order = ['', 'http://purl.org/dc/elements/1.1/', 'http://purl.org/dc/terms/', 'http://rs.tdwg.org/dwc/terms/Occurrence', 'http://rs.tdwg.org/dwc/terms/Organism', 'http://rs.tdwg.org/dwc/terms/MaterialSample', 'http://rs.tdwg.org/dwc/terms/Event', 'http://purl.org/dc/terms/Location', 'http://rs.tdwg.org/dwc/terms/GeologicalContext', 'http://rs.tdwg.org/dwc/terms/Identification', 'http://rs.tdwg.org/dwc/terms/Taxon', 'http://rs.tdwg.org/dwc/terms/MeasurementOrFact', 'http://rs.tdwg.org/dwc/terms/ResourceRelationship', 'http://rs.tdwg.org/dwc/terms/attributes/UseWithIRI']\n", + "display_label = ['Record level', 'Dublin Core legacy namespace', 'Dublin Core terms namespace', 'Occurrence', 'Organism', 'Material Sample', 'Event', 'Location', 'Geological Context', 'Identification', 'Taxon', 'Measurement or Fact', 'Resource Relationship', 'IRI-value terms']\n", + "display_comments = ['','','','','','','','','','','','','','']\n", + "display_id = ['record_level', 'dc', 'dcterms', 'occurrence', 'organism', 'material_sample', 'event', 'location', 'geological_context', 'identification', 'taxon', 'measurement_or_fact', 'resource_relationship', 'use_with_iri']\n", + "\n", + "#display_order = ['']\n", + "#display_label = ['Vocabulary'] # these are the section labels for the categories in the page\n", + "#display_comments = [''] # these are the comments about the category to be appended following the section labels\n", + "#display_id = ['Vocabulary'] # these are the fragment identifiers for the associated sections for the categories\n", + "\n", + "# ---------------\n", + "# Function definitions\n", + "# ---------------\n", + "\n", + "# replace URL with link\n", + "#\n", + "def createLinks(text):\n", + " def repl(match):\n", + " if match.group(1)[-1] == '.':\n", + " return '' + match.group(1)[:-1] + '.'\n", + " return '' + match.group(1) + ''\n", + "\n", + " pattern = '(https?://[^\\s,;\\)\"]*)'\n", + " result = re.sub(pattern, repl, text)\n", + " return result" + ] + }, + { + "cell_type": "code", + "execution_count": 2, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "Retrieving term list metadata from GitHub\n", + "[{'database': 'terms', 'pref_ns_prefix': 'dwc', 'pref_ns_uri': 'http://rs.tdwg.org/dwc/terms/', 'list_iri': 'http://rs.tdwg.org/dwc/terms/'}, {'database': 'iri', 'pref_ns_prefix': 'dwciri', 'pref_ns_uri': 'http://rs.tdwg.org/dwc/iri/', 'list_iri': 'http://rs.tdwg.org/dwc/iri/'}, {'database': 'dc-for-dwc', 'pref_ns_prefix': 'dc', 'pref_ns_uri': 'http://purl.org/dc/elements/1.1/', 'list_iri': 'http://rs.tdwg.org/dwc/dc/'}, {'database': 'dcterms-for-dwc', 'pref_ns_prefix': 'dcterms', 'pref_ns_uri': 'http://purl.org/dc/terms/', 'list_iri': 'http://rs.tdwg.org/dwc/dcterms/'}]\n", + "\n" + ] + } + ], + "source": [ + "# ---------------\n", + "# Retrieve term list metadata from GitHub\n", + "# ---------------\n", + "\n", + "print('Retrieving term list metadata from GitHub')\n", + "term_lists_info = []\n", + "\n", + "frame = pd.read_csv(githubBaseUri + 'term-lists/term-lists.csv', na_filter=False)\n", + "for termList in termLists:\n", + " term_list_dict = {'list_iri': termList}\n", + " term_list_dict = {'database': termList}\n", + " for index,row in frame.iterrows():\n", + " if row['database'] == termList:\n", + " term_list_dict['pref_ns_prefix'] = row['vann_preferredNamespacePrefix']\n", + " term_list_dict['pref_ns_uri'] = row['vann_preferredNamespaceUri']\n", + " term_list_dict['list_iri'] = row['list']\n", + " term_lists_info.append(term_list_dict)\n", + "print(term_lists_info)\n", + "print()" + ] + }, + { + "cell_type": "code", + "execution_count": 3, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "Retrieving metadata about terms from all namespaces from GitHub\n", + "done retrieving\n", + "\n" + ] + } + ], + "source": [ + "# ---------------\n", + "# Create metadata table and populate using data from namespace databases in GitHub\n", + "# ---------------\n", + "\n", + "# Create column list\n", + "column_list = ['pref_ns_prefix', 'pref_ns_uri', 'term_localName', 'label', 'rdfs_comment', 'dcterms_description', 'examples', 'term_modified', 'term_deprecated', 'rdf_type', 'replaces_term', 'replaces1_term']\n", + "#column_list = ['pref_ns_prefix', 'pref_ns_uri', 'term_localName', 'label', 'definition', 'usage', 'notes', 'term_modified', 'term_deprecated', 'type']\n", + "if vocab_type == 2:\n", + " column_list += ['controlled_value_string']\n", + "elif vocab_type == 3:\n", + " column_list += ['controlled_value_string', 'skos_broader']\n", + "if organized_in_categories:\n", + " column_list.append('tdwgutility_organizedInClass')\n", + "column_list.append('version_iri')\n", + "\n", + "print('Retrieving metadata about terms from all namespaces from GitHub')\n", + "# Create list of lists metadata table\n", + "table_list = []\n", + "for term_list in term_lists_info:\n", + " # retrieve versions metadata for term list\n", + " versions_url = githubBaseUri + term_list['database'] + '-versions/' + term_list['database'] + '-versions.csv'\n", + " versions_df = pd.read_csv(versions_url, na_filter=False)\n", + " \n", + " # retrieve current term metadata for term list\n", + " data_url = githubBaseUri + term_list['database'] + '/' + term_list['database'] + '.csv'\n", + " frame = pd.read_csv(data_url, na_filter=False)\n", + " for index,row in frame.iterrows():\n", + " row_list = [term_list['pref_ns_prefix'], term_list['pref_ns_uri'], row['term_localName'], row['label'], row['rdfs_comment'], row['dcterms_description'], row['examples'], row['term_modified'], row['term_deprecated'], row['rdf_type'], row['replaces_term'], row['replaces1_term']]\n", + " #row_list = [term_list['pref_ns_prefix'], term_list['pref_ns_uri'], row['term_localName'], row['label'], row['definition'], row['usage'], row['notes'], row['term_modified'], row['term_deprecated'], row['type']]\n", + " if vocab_type == 2:\n", + " row_list += [row['controlled_value_string']]\n", + " elif vocab_type == 3:\n", + " if row['skos_broader'] =='':\n", + " row_list += [row['controlled_value_string'], '']\n", + " else:\n", + " row_list += [row['controlled_value_string'], term_list['pref_ns_prefix'] + ':' + row['skos_broader']]\n", + " if organized_in_categories:\n", + " row_list.append(row['tdwgutility_organizedInClass'])\n", + "\n", + " # Borrowed terms really don't have implemented versions. They may be lacking values for version_status.\n", + " # In their case, their version IRI will be omitted.\n", + " found = False\n", + " for vindex, vrow in versions_df.iterrows():\n", + " if vrow['term_localName']==row['term_localName'] and vrow['version_status']=='recommended':\n", + " found = True\n", + " version_iri = vrow['version']\n", + " # NOTE: the current hack for non-TDWG terms without a version is to append # to the end of the term IRI\n", + " if version_iri[len(version_iri)-1] == '#':\n", + " version_iri = ''\n", + " if not found:\n", + " version_iri = ''\n", + " row_list.append(version_iri)\n", + "\n", + " table_list.append(row_list)\n", + "\n", + "# Turn list of lists into dataframe\n", + "terms_df = pd.DataFrame(table_list, columns = column_list)\n", + "\n", + "terms_sorted_by_label = terms_df.sort_values(by='label')\n", + "#terms_sorted_by_localname = terms_df.sort_values(by='term_localName')\n", + "\n", + "# This makes sort case insensitive\n", + "terms_sorted_by_localname = terms_df.iloc[terms_df.term_localName.str.lower().argsort()]\n", + "#terms_sorted_by_localname\n", + "print('done retrieving')\n", + "print()" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "Run the following cell to generate an index sorted alphabetically by lowercase term local name. Omit this index if the terms have opaque local names." + ] + }, + { + "cell_type": "code", + "execution_count": 4, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "Generating term index by CURIE\n", + "\n" + ] + } + ], + "source": [ + "# ---------------\n", + "# generate the index of terms grouped by category and sorted alphabetically by lowercase term local name\n", + "# ---------------\n", + "\n", + "print('Generating term index by CURIE')\n", + "text = '### 3.1 Index By Term Name\\n\\n'\n", + "text += '(See also [3.2 Index By Label](#32-index-by-label))\\n\\n'\n", + "\n", + "text += '**Classes**\\n'\n", + "text += '\\n'\n", + "for row_index,row in terms_sorted_by_localname.iterrows():\n", + " if row['rdf_type'] == 'http://www.w3.org/2000/01/rdf-schema#Class':\n", + " curie = row['pref_ns_prefix'] + \":\" + row['term_localName']\n", + " curie_anchor = curie.replace(':','_')\n", + " text += '[' + curie + '](#' + curie_anchor + ')'\n", + " if row_index < len(terms_sorted_by_localname) - 1:\n", + " text += ' |'\n", + " text += '\\n'\n", + "text += '\\n'\n", + "\n", + "for category in range(0,len(display_order)):\n", + " text += '**' + display_label[category] + '**\\n'\n", + " text += '\\n'\n", + " if organized_in_categories:\n", + " filtered_table = terms_sorted_by_localname[terms_sorted_by_localname['tdwgutility_organizedInClass']==display_order[category]]\n", + " filtered_table.reset_index(drop=True, inplace=True)\n", + " else:\n", + " filtered_table = terms_sorted_by_localname\n", + " \n", + " for row_index,row in filtered_table.iterrows():\n", + " if row['rdf_type'] != 'http://www.w3.org/2000/01/rdf-schema#Class':\n", + " curie = row['pref_ns_prefix'] + \":\" + row['term_localName']\n", + " curie_anchor = curie.replace(':','_')\n", + " text += '[' + curie + '](#' + curie_anchor + ')'\n", + " if row_index < len(filtered_table) - 1:\n", + " text += ' |'\n", + " text += '\\n'\n", + " text += '\\n'\n", + "index_by_name = text\n", + "\n", + "#print(index_by_name)\n", + "print()" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "Run the following cell to generate an index by term label" + ] + }, + { + "cell_type": "code", + "execution_count": 5, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "Generating term index by label\n", + "\n" + ] + } + ], + "source": [ + "# ---------------\n", + "# generate the index of terms by label\n", + "# ---------------\n", + "\n", + "print('Generating term index by label')\n", + "text = '\\n\\n'\n", + "\n", + "# Comment out the following two lines if there is no index by local names\n", + "text = '### 3.2 Index By Label\\n\\n'\n", + "text += '(See also [3.1 Index By Term Name](#31-index-by-term-name))\\n\\n'\n", + "\n", + "text += '**Classes**\\n'\n", + "text += '\\n'\n", + "for row_index,row in terms_sorted_by_label.iterrows():\n", + " if row['rdf_type'] == 'http://www.w3.org/2000/01/rdf-schema#Class':\n", + " curie_anchor = row['pref_ns_prefix'] + \"_\" + row['term_localName']\n", + " text += '[' + row['label'] + '](#' + curie_anchor + ')'\n", + " if row_index < len(terms_sorted_by_label) - 1:\n", + " text += ' |'\n", + " text += '\\n'\n", + "text += '\\n'\n", + "\n", + "for category in range(0,len(display_order)):\n", + " if organized_in_categories:\n", + " text += '**' + display_label[category] + '**\\n'\n", + " text += '\\n'\n", + " filtered_table = terms_sorted_by_label[terms_sorted_by_label['tdwgutility_organizedInClass']==display_order[category]]\n", + " filtered_table.reset_index(drop=True, inplace=True)\n", + " else:\n", + " filtered_table = terms_sorted_by_label\n", + " \n", + " for row_index,row in filtered_table.iterrows():\n", + " if row_index == 0 or (row_index != 0 and row['label'] != filtered_table.iloc[row_index - 1].loc['label']): # this is a hack to prevent duplicate labels\n", + " if row['rdf_type'] != 'http://www.w3.org/2000/01/rdf-schema#Class':\n", + " curie_anchor = row['pref_ns_prefix'] + \"_\" + row['term_localName']\n", + " text += '[' + row['label'] + '](#' + curie_anchor + ')'\n", + " if row_index < len(filtered_table) - 2 or (row_index == len(filtered_table) - 2 and row['label'] != filtered_table.iloc[row_index + 1].loc['label']):\n", + " text += ' |'\n", + " text += '\\n'\n", + " text += '\\n'\n", + "index_by_label = text\n", + "print()\n", + "\n", + "#print(index_by_label)" + ] + }, + { + "cell_type": "code", + "execution_count": 6, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "Generating terms table\n", + "done generating\n", + "\n" + ] + } + ], + "source": [ + "decisions_df = pd.read_csv('https://raw.githubusercontent.com/tdwg/rs.tdwg.org/master/decisions/decisions-links.csv', na_filter=False)\n", + "\n", + "# ---------------\n", + "# generate a table for each term, with terms grouped by category\n", + "# ---------------\n", + "\n", + "print('Generating terms table')\n", + "# generate the Markdown for the terms table\n", + "text = '## 4 Vocabulary\\n'\n", + "if True:\n", + " filtered_table = terms_sorted_by_localname\n", + "\n", + "#for category in range(0,len(display_order)):\n", + "# if organized_in_categories:\n", + "# text += '### 4.' + str(category + 1) + ' ' + display_label[category] + '\\n'\n", + "# text += '\\n'\n", + "# text += display_comments[category] # insert the comments for the category, if any.\n", + "# filtered_table = terms_sorted_by_localname[terms_sorted_by_localname['tdwgutility_organizedInClass']==display_order[category]]\n", + "# filtered_table.reset_index(drop=True, inplace=True)\n", + "# else:\n", + "# filtered_table = terms_sorted_by_localname\n", + "\n", + " for row_index,row in filtered_table.iterrows():\n", + " text += '\\n'\n", + " curie = row['pref_ns_prefix'] + \":\" + row['term_localName']\n", + " curieAnchor = curie.replace(':','_')\n", + " text += '\\t\\n'\n", + " text += '\\t\\t\\n'\n", + " text += '\\t\\t\\t\\n'\n", + " text += '\\t\\t\\n'\n", + " text += '\\t\\n'\n", + " text += '\\t\\n'\n", + " text += '\\t\\t\\n'\n", + " text += '\\t\\t\\t\\n'\n", + " uri = row['pref_ns_uri'] + row['term_localName']\n", + " text += '\\t\\t\\t\\n'\n", + " text += '\\t\\t\\n'\n", + " text += '\\t\\t\\t\\n'\n", + " text += '\\t\\t\\t\\n'\n", + " text += '\\t\\t\\n'\n", + "\n", + " if row['version_iri'] != '':\n", + " text += '\\t\\t\\n'\n", + " text += '\\t\\t\\t\\n'\n", + " text += '\\t\\t\\t\\n'\n", + " text += '\\t\\t\\n'\n", + "\n", + " text += '\\t\\t\\n'\n", + " text += '\\t\\t\\t\\n'\n", + " text += '\\t\\t\\t\\n'\n", + " text += '\\t\\t\\n'\n", + "\n", + " if row['term_deprecated'] != '':\n", + " text += '\\t\\t\\n'\n", + " text += '\\t\\t\\t\\n'\n", + " text += '\\t\\t\\t\\n'\n", + " text += '\\t\\t\\n'\n", + "\n", + " for dep_index,dep_row in filtered_table.iterrows():\n", + " if dep_row['replaces_term'] == uri:\n", + " text += '\\t\\t\\n'\n", + " text += '\\t\\t\\t\\n'\n", + " text += '\\t\\t\\t\\n'\n", + " text += '\\t\\t\\n'\n", + " if dep_row['replaces1_term'] == uri:\n", + " text += '\\t\\t\\n'\n", + " text += '\\t\\t\\t\\n'\n", + " text += '\\t\\t\\t\\n'\n", + " text += '\\t\\t\\n'\n", + "\n", + " text += '\\t\\t\\n'\n", + " text += '\\t\\t\\t\\n'\n", + " text += '\\t\\t\\t\\n'\n", + " #text += '\\t\\t\\t\\n'\n", + " text += '\\t\\t\\n'\n", + "\n", + " if row['dcterms_description'] != '':\n", + " #if row['notes'] != '':\n", + " text += '\\t\\t\\n'\n", + " text += '\\t\\t\\t\\n'\n", + " text += '\\t\\t\\t\\n'\n", + " #text += '\\t\\t\\t\\n'\n", + " text += '\\t\\t\\n'\n", + "\n", + " if row['examples'] != '':\n", + " #if row['usage'] != '':\n", + " text += '\\t\\t\\n'\n", + " text += '\\t\\t\\t\\n'\n", + " text += '\\t\\t\\t\\n'\n", + " #text += '\\t\\t\\t\\n'\n", + " text += '\\t\\t\\n'\n", + "\n", + " if vocab_type == 2 or vocab_type ==3: # controlled vocabulary\n", + " text += '\\t\\t\\n'\n", + " text += '\\t\\t\\t\\n'\n", + " text += '\\t\\t\\t\\n'\n", + " text += '\\t\\t\\n'\n", + "\n", + " if vocab_type == 3 and row['skos_broader'] != '': # controlled vocabulary with skos:broader relationships\n", + " text += '\\t\\t\\n'\n", + " text += '\\t\\t\\t\\n'\n", + " curieAnchor = row['skos_broader'].replace(':','_')\n", + " text += '\\t\\t\\t\\n'\n", + " text += '\\t\\t\\n'\n", + "\n", + " text += '\\t\\t\\n'\n", + " text += '\\t\\t\\t\\n'\n", + " if row['rdf_type'] == 'http://www.w3.org/1999/02/22-rdf-syntax-ns#Property':\n", + " #if row['type'] == 'http://www.w3.org/1999/02/22-rdf-syntax-ns#Property':\n", + " text += '\\t\\t\\t\\n'\n", + " elif row['rdf_type'] == 'http://www.w3.org/2000/01/rdf-schema#Class':\n", + " #elif row['type'] == 'http://www.w3.org/2000/01/rdf-schema#Class':\n", + " text += '\\t\\t\\t\\n'\n", + " elif row['rdf_type'] == 'http://www.w3.org/2004/02/skos/core#Concept':\n", + " #elif row['type'] == 'http://www.w3.org/2004/02/skos/core#Concept':\n", + " text += '\\t\\t\\t\\n'\n", + " else:\n", + " text += '\\t\\t\\t\\n' # this should rarely happen\n", + " #text += '\\t\\t\\t\\n' # this should rarely happen\n", + " text += '\\t\\t\\n'\n", + "\n", + " # Look up decisions related to this term\n", + " for drow_index,drow in decisions_df.iterrows():\n", + " if drow['linked_affected_resource'] == uri:\n", + " text += '\\t\\t\\n'\n", + " text += '\\t\\t\\t\\n'\n", + " text += '\\t\\t\\t\\n'\n", + " text += '\\t\\t\\n' \n", + "\n", + " text += '\\t\\n'\n", + " text += '
Term Name ' + curie + '
Term IRI' + uri + '
Modified' + row['term_modified'] + '
Term version IRI' + row['version_iri'] + '
Label' + row['label'] + '
This term is deprecated and should no longer be used.
Is replaced by' + dep_row['pref_ns_uri'] + dep_row['term_localName'] + '
Is replaced by' + dep_row['pref_ns_uri'] + dep_row['term_localName'] + '
Definition' + row['rdfs_comment'] + '' + row['definition'] + '
Notes' + createLinks(row['dcterms_description']) + '' + createLinks(row['notes']) + '
Examples' + createLinks(row['examples']) + '' + createLinks(row['usage']) + '
Controlled value' + row['controlled_value_string'] + '
Has broader concept' + row['skos_broader'] + '
TypePropertyClassConcept' + row['rdf_type'] + '' + row['type'] + '
Executive Committee decisionhttp://rs.tdwg.org/decisions/' + drow['decision_localName'] + '
\\n'\n", + " text += '\\n'\n", + " text += '\\n'\n", + "term_table = text\n", + "print('done generating')\n", + "print()\n", + "\n", + "#print(term_table)" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "Modify to display the indices that you want" + ] + }, + { + "cell_type": "code", + "execution_count": 7, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "Merging term table with header and footer and saving file\n" + ] + } + ], + "source": [ + "# ---------------\n", + "# Merge term table with header and footer Markdown, then save file\n", + "# ---------------\n", + "\n", + "print('Merging term table with header and footer and saving file')\n", + "#text = index_by_label + term_table\n", + "text = index_by_name + index_by_label + term_table" + ] + }, + { + "cell_type": "code", + "execution_count": 8, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "done\n" + ] + } + ], + "source": [ + "# read in header and footer, merge with terms table, and output\n", + "\n", + "headerObject = open(headerFileName, 'rt', encoding='utf-8')\n", + "header = headerObject.read()\n", + "headerObject.close()\n", + "\n", + "footerObject = open(footerFileName, 'rt', encoding='utf-8')\n", + "footer = footerObject.read()\n", + "footerObject.close()\n", + "\n", + "output = header + text + footer\n", + "outputObject = open(outFileName, 'wt', encoding='utf-8')\n", + "outputObject.write(output)\n", + "outputObject.close()\n", + " \n", + "print('done')" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [] + } + ], + "metadata": { + "kernelspec": { + "display_name": "Python 3", + "language": "python", + "name": "python3" + }, + "language_info": { + "codemirror_mode": { + "name": "ipython", + "version": 3 + }, + "file_extension": ".py", + "mimetype": "text/x-python", + "name": "python", + "nbconvert_exporter": "python", + "pygments_lexer": "ipython3", + "version": "3.7.1" + } + }, + "nbformat": 4, + "nbformat_minor": 2 +} diff --git a/build/termlist-footer.md b/build/termlist-footer.md new file mode 100644 index 0000000..e69de29 diff --git a/build/termlist-header.md b/build/termlist-header.md new file mode 100644 index 0000000..2f85028 --- /dev/null +++ b/build/termlist-header.md @@ -0,0 +1,66 @@ +# List of Darwin Core terms + +Title +: List of Darwin Core terms + +Date version issued +: 2020-08-12 + +Date created +: 2020-08-12 + +Part of TDWG Standard +: + +This version +: + +Latest version +: + +Abstract +: Darwin Core is a vocabulary standard for transmitting information about biodiversity. This document lists all terms in namespaces currently used in the vocabulary. + +Contributors +: John Wieczorek (VertNet), Peter Desmet (INBO), Steve Baskauf (TDWG RDF/OWL Task Group), Tim Robertson (GBIF), Markus Döring (GBIF), Quentin Groom (Botanic Garden Meise), Stijn Van Hoey (INBO), David Bloom (VertNet), Paula Zermoglio (VertNet), Robert Guralnick (University of Florida), John Deck (Genomic Biodiversity Working Group), Gail Kampmeier (INHS), Dave Vieglais (KUNHM), Renato De Giovanni (CRIA), Campbell Webb (TDWG RDF/OWL Task Group), Paul J. Morris (Harvard University Herbaria/Museum of Comparative Zoölogy), Mark Schildhauer (NCEAS) + +Creator +: TDWG Darwin Core Maintenance Group + +Bibliographic citation +: Darwin Core Maintenance Group. 2020. List of Darwin Core terms. Biodiversity Information Standards (TDWG). + + +## 1 Introduction (Informative) + +This document contains terms that are part of the most recent version of the Darwin Core vocabulary (http://rs.tdwg.org/version/dwc/2020-08-12). + +This document includes terms in four namespaces that contain recommended terms: `dwc:`, `dwciri:`, `dc:`, and `dcterms:`. However, some terms in these namespaces are deprecated and should no longer be used. Deprecation is noted in the term metadata. Namespaces that contain only deprecated terms are not included in this document, but metadata about those terms can be retrieved by dereferencing their IRIs. + +### 1.1 Status of the content of this document + +Sections 1 and 3 are non-normative. + +Section 2 is normative. + +In Section 4, the values of the `Term IRI` and `Definition` are normative. The values of `Term Name` are non-normative, although one can expect that the namespace abbreviation prefix is one commonly used for the term namespace. `Label` and the values of all other properties (such as `Examples` and `Notes`) are non-normative. + +### 1.2 RFC 2119 key words +The key words "MUST", "MUST NOT", "REQUIRED", "SHALL", "SHALL NOT", "SHOULD", "SHOULD NOT", "RECOMMENDED", "MAY", and "OPTIONAL" in this document are to be interpreted as described in [RFC 2119](https://tools.ietf.org/html/rfc2119). + +### 1.3 Namespace abbreviations + +The following namespace abbreviations are used in this document: + +| abbreviation | IRI | +| --- | --- | +| dwc: | http://rs.tdwg.org/dwc/terms/ | +| dwciri: | http://rs.tdwg.org/dwc/iri/ | +| dc: | http://purl.org/dc/elements/1.1/ | +| dcterms: | http://purl.org/dc/terms/ | + +## 2 Use of Terms + +Due to the requirements of [Section 1.4.3 of the Darwin Core RDF Guide](https://dwc.tdwg.org/rdf/#143-use-of-darwin-core-terms-in-rdf-normative), terms in the `dwciri:` namespace MUST be used with IRI values. Terms in the `dwc:` and `dc:` namespaces are generally expected to have string literal values. Values for terms in the `dcterms:` namespace will depend on the details of the term. See [Section 3 of the Darwin Core RDF Guide](https://dwc.tdwg.org/rdf/#3-term-reference-normative) for details. + +## 3 Term indices diff --git a/docs/list/index.md b/docs/list/index.md new file mode 100644 index 0000000..e0a7437 --- /dev/null +++ b/docs/list/index.md @@ -0,0 +1,13757 @@ +# List of Darwin Core terms + +Title +: List of Darwin Core terms + +Date version issued +: 2020-08-12 + +Date created +: 2020-08-12 + +Part of TDWG Standard +: + +This version +: + +Latest version +: + +Abstract +: Darwin Core is a vocabulary standard for transmitting information about biodiversity. This document lists all terms in namespaces currently used in the vocabulary. + +Contributors +: John Wieczorek (VertNet), Peter Desmet (INBO), Steve Baskauf (TDWG RDF/OWL Task Group), Tim Robertson (GBIF), Markus Döring (GBIF), Quentin Groom (Botanic Garden Meise), Stijn Van Hoey (INBO), David Bloom (VertNet), Paula Zermoglio (VertNet), Robert Guralnick (University of Florida), John Deck (Genomic Biodiversity Working Group), Gail Kampmeier (INHS), Dave Vieglais (KUNHM), Renato De Giovanni (CRIA), Campbell Webb (TDWG RDF/OWL Task Group), Paul J. Morris (Harvard University Herbaria/Museum of Comparative Zoölogy), Mark Schildhauer (NCEAS) + +Creator +: TDWG Darwin Core Maintenance Group + +Bibliographic citation +: Darwin Core Maintenance Group. 2020. List of Darwin Core terms. Biodiversity Information Standards (TDWG). + + +## 1 Introduction (Informative) + +This document contains terms that are part of the most recent version of the Darwin Core vocabulary (http://rs.tdwg.org/version/dwc/2020-08-12). + +This document includes terms in four namespaces that contain recommended terms: `dwc:`, `dwciri:`, `dc:`, and `dcterms:`. However, some terms in these namespaces are deprecated and should no longer be used. Deprecation is noted in the term metadata. Namespaces that contain only deprecated terms are not included in this document, but metadata about those terms can be retrieved by dereferencing their IRIs. + +### 1.1 Status of the content of this document + +Sections 1 and 3 are non-normative. + +Section 2 is normative. + +In Section 4, the values of the `Term IRI` and `Definition` are normative. The values of `Term Name` are non-normative, although one can expect that the namespace abbreviation prefix is one commonly used for the term namespace. `Label` and the values of all other properties (such as `Examples` and `Notes`) are non-normative. + +### 1.2 RFC 2119 key words +The key words "MUST", "MUST NOT", "REQUIRED", "SHALL", "SHALL NOT", "SHOULD", "SHOULD NOT", "RECOMMENDED", "MAY", and "OPTIONAL" in this document are to be interpreted as described in [RFC 2119](https://tools.ietf.org/html/rfc2119). + +### 1.3 Namespace abbreviations + +The following namespace abbreviations are used in this document: + +| abbreviation | IRI | +| --- | --- | +| dwc: | http://rs.tdwg.org/dwc/terms/ | +| dwciri: | http://rs.tdwg.org/dwc/iri/ | +| dc: | http://purl.org/dc/elements/1.1/ | +| dcterms: | http://purl.org/dc/terms/ | + +## 2 Use of Terms + +Due to the requirements of [Section 1.4.3 of the Darwin Core RDF Guide](https://dwc.tdwg.org/rdf/#143-use-of-darwin-core-terms-in-rdf-normative), terms in the `dwciri:` namespace MUST be used with IRI values. Terms in the `dwc:` and `dc:` namespaces are generally expected to have string literal values. Values for terms in the `dcterms:` namespace will depend on the details of the term. See [Section 3 of the Darwin Core RDF Guide](https://dwc.tdwg.org/rdf/#3-term-reference-normative) for details. + +## 3 Term indices +### 3.1 Index By Term Name + +(See also [3.2 Index By Label](#32-index-by-label)) + +**Classes** + +[dwc:Dataset](#dwc_Dataset) | +[dwc:Event](#dwc_Event) | +[dwc:EventAttribute](#dwc_EventAttribute) | +[dwc:EventMeasurement](#dwc_EventMeasurement) | +[dwc:FossilSpecimen](#dwc_FossilSpecimen) | +[dwc:GeologicalContext](#dwc_GeologicalContext) | +[dwc:HumanObservation](#dwc_HumanObservation) | +[dwc:Identification](#dwc_Identification) | +[dwc:LivingSpecimen](#dwc_LivingSpecimen) | +[dcterms:Location](#dcterms_Location) | +[dwc:MachineObservation](#dwc_MachineObservation) | +[dwc:MaterialSample](#dwc_MaterialSample) | +[dwc:MeasurementOrFact](#dwc_MeasurementOrFact) | +[dwc:Occurrence](#dwc_Occurrence) | +[dwc:OccurrenceMeasurement](#dwc_OccurrenceMeasurement) | +[dwc:Organism](#dwc_Organism) | +[dwc:PreservedSpecimen](#dwc_PreservedSpecimen) | +[dwc:ResourceRelationship](#dwc_ResourceRelationship) | +[dwc:Sample](#dwc_Sample) | +[dwc:SampleAttribute](#dwc_SampleAttribute) | +[dwc:SamplingEvent](#dwc_SamplingEvent) | +[dwc:SamplingLocation](#dwc_SamplingLocation) | +[dwc:Taxon](#dwc_Taxon) | + +**Record level** + +[dwc:accordingTo](#dwc_accordingTo) | +[dwc:accuracy](#dwc_accuracy) | +[dwc:DwCType](#dwc_DwCType) | + +**Dublin Core legacy namespace** + +[dc:language](#dc_language) | +[dc:type](#dc_type) + +**Dublin Core terms namespace** + +[dcterms:accessRights](#dcterms_accessRights) | +[dcterms:bibliographicCitation](#dcterms_bibliographicCitation) | +[dcterms:language](#dcterms_language) | +[dcterms:license](#dcterms_license) | +[dcterms:modified](#dcterms_modified) | +[dcterms:references](#dcterms_references) | +[dcterms:rights](#dcterms_rights) | +[dcterms:rightsHolder](#dcterms_rightsHolder) | +[dcterms:type](#dcterms_type) + +**Occurrence** + +[dwc:associatedMedia](#dwc_associatedMedia) | +[dwc:associatedReferences](#dwc_associatedReferences) | +[dwc:associatedSequences](#dwc_associatedSequences) | +[dwc:associatedTaxa](#dwc_associatedTaxa) | +[dwc:behavior](#dwc_behavior) | +[dwc:catalogNumber](#dwc_catalogNumber) | +[dwc:CatalogNumberNumeric](#dwc_CatalogNumberNumeric) | +[dwc:disposition](#dwc_disposition) | +[dwc:establishmentMeans](#dwc_establishmentMeans) | +[dwc:individualCount](#dwc_individualCount) | +[dwc:individualID](#dwc_individualID) | +[dwc:lifeStage](#dwc_lifeStage) | +[dwc:occurrenceAttributes](#dwc_occurrenceAttributes) | +[dwc:occurrenceDetails](#dwc_occurrenceDetails) | +[dwc:occurrenceID](#dwc_occurrenceID) | +[dwc:occurrenceRemarks](#dwc_occurrenceRemarks) | +[dwc:occurrenceStatus](#dwc_occurrenceStatus) | +[dwc:organismQuantity](#dwc_organismQuantity) | +[dwc:organismQuantityType](#dwc_organismQuantityType) | +[dwc:otherCatalogNumbers](#dwc_otherCatalogNumbers) | +[dwc:preparations](#dwc_preparations) | +[dwc:recordedBy](#dwc_recordedBy) | +[dwc:recordNumber](#dwc_recordNumber) | +[dwc:reproductiveCondition](#dwc_reproductiveCondition) | +[dwc:sex](#dwc_sex) + +**Organism** + +[dwc:associatedOccurrences](#dwc_associatedOccurrences) | +[dwc:associatedOrganisms](#dwc_associatedOrganisms) | +[dwc:organismID](#dwc_organismID) | +[dwc:organismName](#dwc_organismName) | +[dwc:organismRemarks](#dwc_organismRemarks) | +[dwc:organismScope](#dwc_organismScope) | +[dwc:previousIdentifications](#dwc_previousIdentifications) + +**Material Sample** + +[dwc:materialSampleID](#dwc_materialSampleID) + +**Event** + +[dwc:day](#dwc_day) | +[dwc:EarliestDateCollected](#dwc_EarliestDateCollected) | +[dwc:endDayOfYear](#dwc_endDayOfYear) | +[dwc:EndTimeOfDay](#dwc_EndTimeOfDay) | +[dwc:eventAttributes](#dwc_eventAttributes) | +[dwc:eventDate](#dwc_eventDate) | +[dwc:eventID](#dwc_eventID) | +[dwc:eventRemarks](#dwc_eventRemarks) | +[dwc:eventTime](#dwc_eventTime) | +[dwc:fieldNotes](#dwc_fieldNotes) | +[dwc:fieldNumber](#dwc_fieldNumber) | +[dwc:habitat](#dwc_habitat) | +[dwc:LatestDateCollected](#dwc_LatestDateCollected) | +[dwc:month](#dwc_month) | +[dwc:parentEventID](#dwc_parentEventID) | +[dwc:sampleSizeUnit](#dwc_sampleSizeUnit) | +[dwc:sampleSizeValue](#dwc_sampleSizeValue) | +[dwc:samplingEffort](#dwc_samplingEffort) | +[dwc:samplingProtocol](#dwc_samplingProtocol) | +[dwc:startDayOfYear](#dwc_startDayOfYear) | +[dwc:StartTimeOfDay](#dwc_StartTimeOfDay) | +[dwc:verbatimEventDate](#dwc_verbatimEventDate) | +[dwc:year](#dwc_year) + +**Location** + +[dwc:continent](#dwc_continent) | +[dwc:coordinatePrecision](#dwc_coordinatePrecision) | +[dwc:coordinateUncertaintyInMeters](#dwc_coordinateUncertaintyInMeters) | +[dwc:country](#dwc_country) | +[dwc:countryCode](#dwc_countryCode) | +[dwc:county](#dwc_county) | +[dwc:decimalLatitude](#dwc_decimalLatitude) | +[dwc:decimalLongitude](#dwc_decimalLongitude) | +[dwc:footprintSpatialFit](#dwc_footprintSpatialFit) | +[dwc:footprintSRS](#dwc_footprintSRS) | +[dwc:footprintWKT](#dwc_footprintWKT) | +[dwc:geodeticDatum](#dwc_geodeticDatum) | +[dwc:georeferencedBy](#dwc_georeferencedBy) | +[dwc:georeferencedDate](#dwc_georeferencedDate) | +[dwc:georeferenceProtocol](#dwc_georeferenceProtocol) | +[dwc:georeferenceRemarks](#dwc_georeferenceRemarks) | +[dwc:georeferenceSources](#dwc_georeferenceSources) | +[dwc:georeferenceVerificationStatus](#dwc_georeferenceVerificationStatus) | +[dwc:higherGeography](#dwc_higherGeography) | +[dwc:higherGeographyID](#dwc_higherGeographyID) | +[dwc:island](#dwc_island) | +[dwc:islandGroup](#dwc_islandGroup) | +[dwc:locality](#dwc_locality) | +[dwc:locationAccordingTo](#dwc_locationAccordingTo) | +[dwc:locationAttributes](#dwc_locationAttributes) | +[dwc:locationID](#dwc_locationID) | +[dwc:locationRemarks](#dwc_locationRemarks) | +[dwc:maximumDepthInMeters](#dwc_maximumDepthInMeters) | +[dwc:maximumDistanceAboveSurfaceInMeters](#dwc_maximumDistanceAboveSurfaceInMeters) | +[dwc:maximumElevationInMeters](#dwc_maximumElevationInMeters) | +[dwc:minimumDepthInMeters](#dwc_minimumDepthInMeters) | +[dwc:minimumDistanceAboveSurfaceInMeters](#dwc_minimumDistanceAboveSurfaceInMeters) | +[dwc:minimumElevationInMeters](#dwc_minimumElevationInMeters) | +[dwc:municipality](#dwc_municipality) | +[dwc:pointRadiusSpatialFit](#dwc_pointRadiusSpatialFit) | +[dwc:SamplingLocationID](#dwc_SamplingLocationID) | +[dwc:SamplingLocationRemarks](#dwc_SamplingLocationRemarks) | +[dwc:stateProvince](#dwc_stateProvince) | +[dwc:verbatimCoordinates](#dwc_verbatimCoordinates) | +[dwc:verbatimCoordinateSystem](#dwc_verbatimCoordinateSystem) | +[dwc:verbatimDepth](#dwc_verbatimDepth) | +[dwc:verbatimElevation](#dwc_verbatimElevation) | +[dwc:verbatimLatitude](#dwc_verbatimLatitude) | +[dwc:verbatimLocality](#dwc_verbatimLocality) | +[dwc:verbatimLongitude](#dwc_verbatimLongitude) | +[dwc:verbatimSRS](#dwc_verbatimSRS) | +[dwc:waterBody](#dwc_waterBody) + +**Geological Context** + +[dwc:bed](#dwc_bed) | +[dwc:earliestAgeOrLowestStage](#dwc_earliestAgeOrLowestStage) | +[dwc:earliestEonOrLowestEonothem](#dwc_earliestEonOrLowestEonothem) | +[dwc:earliestEpochOrLowestSeries](#dwc_earliestEpochOrLowestSeries) | +[dwc:earliestEraOrLowestErathem](#dwc_earliestEraOrLowestErathem) | +[dwc:earliestPeriodOrLowestSystem](#dwc_earliestPeriodOrLowestSystem) | +[dwc:formation](#dwc_formation) | +[dwc:geologicalContextID](#dwc_geologicalContextID) | +[dwc:group](#dwc_group) | +[dwc:highestBiostratigraphicZone](#dwc_highestBiostratigraphicZone) | +[dwc:latestAgeOrHighestStage](#dwc_latestAgeOrHighestStage) | +[dwc:latestEonOrHighestEonothem](#dwc_latestEonOrHighestEonothem) | +[dwc:latestEpochOrHighestSeries](#dwc_latestEpochOrHighestSeries) | +[dwc:latestEraOrHighestErathem](#dwc_latestEraOrHighestErathem) | +[dwc:latestPeriodOrHighestSystem](#dwc_latestPeriodOrHighestSystem) | +[dwc:lithostratigraphicTerms](#dwc_lithostratigraphicTerms) | +[dwc:lowestBiostratigraphicZone](#dwc_lowestBiostratigraphicZone) | +[dwc:member](#dwc_member) + +**Identification** + +[dwc:dateIdentified](#dwc_dateIdentified) | +[dwc:identificationAttributes](#dwc_identificationAttributes) | +[dwc:identificationID](#dwc_identificationID) | +[dwc:identificationQualifier](#dwc_identificationQualifier) | +[dwc:identificationReferences](#dwc_identificationReferences) | +[dwc:identificationRemarks](#dwc_identificationRemarks) | +[dwc:identificationVerificationStatus](#dwc_identificationVerificationStatus) | +[dwc:identifiedBy](#dwc_identifiedBy) | +[dwc:PreviousIdentifications](#dwc_PreviousIdentifications) | +[dwc:typeStatus](#dwc_typeStatus) + +**Taxon** + +[dwc:acceptedNameUsage](#dwc_acceptedNameUsage) | +[dwc:acceptedNameUsageID](#dwc_acceptedNameUsageID) | +[dwc:acceptedScientificName](#dwc_acceptedScientificName) | +[dwc:acceptedScientificNameID](#dwc_acceptedScientificNameID) | +[dwc:AcceptedTaxon](#dwc_AcceptedTaxon) | +[dwc:AcceptedTaxonID](#dwc_AcceptedTaxonID) | +[dwc:acceptedTaxonID](#dwc_acceptedTaxonID) | +[dwc:acceptedTaxonName](#dwc_acceptedTaxonName) | +[dwc:acceptedTaxonNameID](#dwc_acceptedTaxonNameID) | +[dwc:basionym](#dwc_basionym) | +[dwc:basionymID](#dwc_basionymID) | +[dwc:binomial](#dwc_binomial) | +[dwc:class](#dwc_class) | +[dwc:family](#dwc_family) | +[dwc:genus](#dwc_genus) | +[dwc:higherClassification](#dwc_higherClassification) | +[dwc:HigherTaxon](#dwc_HigherTaxon) | +[dwc:higherTaxonconceptID](#dwc_higherTaxonconceptID) | +[dwc:HigherTaxonID](#dwc_HigherTaxonID) | +[dwc:higherTaxonName](#dwc_higherTaxonName) | +[dwc:higherTaxonNameID](#dwc_higherTaxonNameID) | +[dwc:infraspecificEpithet](#dwc_infraspecificEpithet) | +[dwc:kingdom](#dwc_kingdom) | +[dwc:nameAccordingTo](#dwc_nameAccordingTo) | +[dwc:nameAccordingToID](#dwc_nameAccordingToID) | +[dwc:namePublicationID](#dwc_namePublicationID) | +[dwc:namePublishedIn](#dwc_namePublishedIn) | +[dwc:namePublishedInID](#dwc_namePublishedInID) | +[dwc:namePublishedInYear](#dwc_namePublishedInYear) | +[dwc:nomenclaturalCode](#dwc_nomenclaturalCode) | +[dwc:nomenclaturalStatus](#dwc_nomenclaturalStatus) | +[dwc:order](#dwc_order) | +[dwc:originalNameUsage](#dwc_originalNameUsage) | +[dwc:originalNameUsageID](#dwc_originalNameUsageID) | +[dwc:parentNameUsage](#dwc_parentNameUsage) | +[dwc:parentNameUsageID](#dwc_parentNameUsageID) | +[dwc:phylum](#dwc_phylum) | +[dwc:scientificName](#dwc_scientificName) | +[dwc:scientificNameAuthorship](#dwc_scientificNameAuthorship) | +[dwc:scientificNameID](#dwc_scientificNameID) | +[dwc:scientificNameRank](#dwc_scientificNameRank) | +[dwc:specificEpithet](#dwc_specificEpithet) | +[dwc:subgenus](#dwc_subgenus) | +[dwc:taxonAccordingTo](#dwc_taxonAccordingTo) | +[dwc:taxonAttributes](#dwc_taxonAttributes) | +[dwc:taxonConceptID](#dwc_taxonConceptID) | +[dwc:TaxonID](#dwc_TaxonID) | +[dwc:taxonID](#dwc_taxonID) | +[dwc:taxonNameID](#dwc_taxonNameID) | +[dwc:taxonomicStatus](#dwc_taxonomicStatus) | +[dwc:taxonRank](#dwc_taxonRank) | +[dwc:taxonRemarks](#dwc_taxonRemarks) | +[dwc:verbatimScientificNameRank](#dwc_verbatimScientificNameRank) | +[dwc:verbatimTaxonRank](#dwc_verbatimTaxonRank) | +[dwc:vernacularName](#dwc_vernacularName) + +**Measurement or Fact** + +[dwc:measurementAccuracy](#dwc_measurementAccuracy) | +[dwc:measurementDeterminedBy](#dwc_measurementDeterminedBy) | +[dwc:measurementDeterminedDate](#dwc_measurementDeterminedDate) | +[dwc:measurementID](#dwc_measurementID) | +[dwc:measurementMethod](#dwc_measurementMethod) | +[dwc:measurementRemarks](#dwc_measurementRemarks) | +[dwc:measurementType](#dwc_measurementType) | +[dwc:measurementUnit](#dwc_measurementUnit) | +[dwc:measurementValue](#dwc_measurementValue) + +**Resource Relationship** + +[dwc:RelatedBasisOfRecord](#dwc_RelatedBasisOfRecord) | +[dwc:relatedResourceID](#dwc_relatedResourceID) | +[dwc:relatedResourceType](#dwc_relatedResourceType) | +[dwc:relationshipAccordingTo](#dwc_relationshipAccordingTo) | +[dwc:relationshipEstablishedDate](#dwc_relationshipEstablishedDate) | +[dwc:relationshipOfResource](#dwc_relationshipOfResource) | +[dwc:relationshipRemarks](#dwc_relationshipRemarks) | +[dwc:resourceID](#dwc_resourceID) | +[dwc:resourceRelationshipID](#dwc_resourceRelationshipID) + +**IRI-value terms** + +[dwciri:behavior](#dwciri_behavior) | +[dwciri:dataGeneralizations](#dwciri_dataGeneralizations) | +[dwciri:disposition](#dwciri_disposition) | +[dwciri:earliestGeochronologicalEra](#dwciri_earliestGeochronologicalEra) | +[dwciri:establishmentMeans](#dwciri_establishmentMeans) | +[dwciri:fieldNotes](#dwciri_fieldNotes) | +[dwciri:fieldNumber](#dwciri_fieldNumber) | +[dwciri:footprintSRS](#dwciri_footprintSRS) | +[dwciri:footprintWKT](#dwciri_footprintWKT) | +[dwciri:fromLithostratigraphicUnit](#dwciri_fromLithostratigraphicUnit) | +[dwciri:geodeticDatum](#dwciri_geodeticDatum) | +[dwciri:georeferencedBy](#dwciri_georeferencedBy) | +[dwciri:georeferenceProtocol](#dwciri_georeferenceProtocol) | +[dwciri:georeferenceSources](#dwciri_georeferenceSources) | +[dwciri:georeferenceVerificationStatus](#dwciri_georeferenceVerificationStatus) | +[dwciri:habitat](#dwciri_habitat) | +[dwciri:identificationQualifier](#dwciri_identificationQualifier) | +[dwciri:identificationVerificationStatus](#dwciri_identificationVerificationStatus) | +[dwciri:identifiedBy](#dwciri_identifiedBy) | +[dwciri:inCollection](#dwciri_inCollection) | +[dwciri:inDataset](#dwciri_inDataset) | +[dwciri:inDescribedPlace](#dwciri_inDescribedPlace) | +[dwciri:informationWithheld](#dwciri_informationWithheld) | +[dwciri:latestGeochronologicalEra](#dwciri_latestGeochronologicalEra) | +[dwciri:lifeStage](#dwciri_lifeStage) | +[dwciri:locationAccordingTo](#dwciri_locationAccordingTo) | +[dwciri:measurementDeterminedBy](#dwciri_measurementDeterminedBy) | +[dwciri:measurementMethod](#dwciri_measurementMethod) | +[dwciri:measurementType](#dwciri_measurementType) | +[dwciri:measurementUnit](#dwciri_measurementUnit) | +[dwciri:occurrenceStatus](#dwciri_occurrenceStatus) | +[dwciri:organismQuantityType](#dwciri_organismQuantityType) | +[dwciri:preparations](#dwciri_preparations) | +[dwciri:recordedBy](#dwciri_recordedBy) | +[dwciri:recordNumber](#dwciri_recordNumber) | +[dwciri:reproductiveCondition](#dwciri_reproductiveCondition) | +[dwciri:sampleSizeUnit](#dwciri_sampleSizeUnit) | +[dwciri:samplingProtocol](#dwciri_samplingProtocol) | +[dwciri:sex](#dwciri_sex) | +[dwciri:toTaxon](#dwciri_toTaxon) | +[dwciri:typeStatus](#dwciri_typeStatus) | +[dwciri:verbatimCoordinateSystem](#dwciri_verbatimCoordinateSystem) | +[dwciri:verbatimSRS](#dwciri_verbatimSRS) + +### 3.2 Index By Label + +(See also [3.1 Index By Term Name](#31-index-by-term-name)) + +**Classes** + +[Dataset](#dwc_Dataset) | +[Event](#dwc_Event) | +[Event Attribute](#dwc_EventAttribute) | +[Event Measurement](#dwc_EventMeasurement) | +[Fossil Specimen](#dwc_FossilSpecimen) | +[Geological Context](#dwc_GeologicalContext) | +[Human Observation](#dwc_HumanObservation) | +[Identification](#dwc_Identification) | +[Living Specimen](#dwc_LivingSpecimen) | +[Location](#dcterms_Location) | +[Machine Observation](#dwc_MachineObservation) | +[Material Sample](#dwc_MaterialSample) | +[Measurement or Fact](#dwc_MeasurementOrFact) | +[Occurrence](#dwc_Occurrence) | +[Occurrence Measurement](#dwc_OccurrenceMeasurement) | +[Organism](#dwc_Organism) | +[Preserved Specimen](#dwc_PreservedSpecimen) | +[Resource Relationship](#dwc_ResourceRelationship) | +[Sample](#dwc_Sample) | +[Sample Attribute](#dwc_SampleAttribute) | +[Sampling Event](#dwc_SamplingEvent) | +[Sampling Location](#dwc_SamplingLocation) | +[Taxon](#dwc_Taxon) | + +**Record level** + +[According To](#dwc_accordingTo) | +[Accuracy](#dwc_accuracy) | +[Darwin Core Type](#dwc_DwCType) | + +**Dublin Core legacy namespace** + +[Language](#dc_language) | +[Type](#dc_type) + +**Dublin Core terms namespace** + +[Access Rights](#dcterms_accessRights) | +[Bibliographic Citation](#dcterms_bibliographicCitation) | +[Date Modified](#dcterms_modified) | +[Language](#dcterms_language) | +[License](#dcterms_license) | +[References](#dcterms_references) | +[Rights](#dcterms_rights) | +[Rights Holder](#dcterms_rightsHolder) | +[Type](#dcterms_type) + +**Occurrence** + +[Associated Media](#dwc_associatedMedia) | +[Associated References](#dwc_associatedReferences) | +[Associated Sequences](#dwc_associatedSequences) | +[Associated Taxa](#dwc_associatedTaxa) | +[Behavior](#dwc_behavior) | +[Catalog Number](#dwc_catalogNumber) | +[Catalog Number Numeric](#dwc_CatalogNumberNumeric) | +[Disposition](#dwc_disposition) | +[Establishment Means](#dwc_establishmentMeans) | +[Individual Count](#dwc_individualCount) | +[Individual ID](#dwc_individualID) | +[Life Stage](#dwc_lifeStage) | +[Occurrence Attributes](#dwc_occurrenceAttributes) | +[Occurrence Details](#dwc_occurrenceDetails) | +[Occurrence ID](#dwc_occurrenceID) | +[Occurrence Remarks](#dwc_occurrenceRemarks) | +[Occurrence Status](#dwc_occurrenceStatus) | +[Organism Quantity](#dwc_organismQuantity) | +[Organism Quantity Type](#dwc_organismQuantityType) | +[Other Catalog Numbers](#dwc_otherCatalogNumbers) | +[Preparations](#dwc_preparations) | +[Record Number](#dwc_recordNumber) | +[Recorded By](#dwc_recordedBy) | +[Reproductive Condition](#dwc_reproductiveCondition) | +[Sex](#dwc_sex) + +**Organism** + +[Associated Occurrences](#dwc_associatedOccurrences) | +[Associated Organisms](#dwc_associatedOrganisms) | +[Organism ID](#dwc_organismID) | +[Organism Name](#dwc_organismName) | +[Organism Remarks](#dwc_organismRemarks) | +[Organism Scope](#dwc_organismScope) | +[Previous Identifications](#dwc_previousIdentifications) + +**Material Sample** + +[Material Sample ID](#dwc_materialSampleID) + +**Event** + +[Day](#dwc_day) | +[Earliest Date Collected](#dwc_EarliestDateCollected) | +[End Day Of Year](#dwc_endDayOfYear) | +[End Time of Day](#dwc_EndTimeOfDay) | +[Event Attributes](#dwc_eventAttributes) | +[Event Date](#dwc_eventDate) | +[Event ID](#dwc_eventID) | +[Event Remarks](#dwc_eventRemarks) | +[Event Time](#dwc_eventTime) | +[Field Notes](#dwc_fieldNotes) | +[Field Number](#dwc_fieldNumber) | +[Habitat](#dwc_habitat) | +[Latest Date Collected](#dwc_LatestDateCollected) | +[Month](#dwc_month) | +[Parent Event ID](#dwc_parentEventID) | +[Sample Size Unit](#dwc_sampleSizeUnit) | +[Sample Size Value](#dwc_sampleSizeValue) | +[Sampling Effort](#dwc_samplingEffort) | +[Sampling Protocol](#dwc_samplingProtocol) | +[Start Day Of Year](#dwc_startDayOfYear) | +[Start Time of Day](#dwc_StartTimeOfDay) | +[Verbatim EventDate](#dwc_verbatimEventDate) | +[Year](#dwc_year) + +**Location** + +[Continent](#dwc_continent) | +[Coordinate Precision](#dwc_coordinatePrecision) | +[Coordinate Uncertainty In Meters](#dwc_coordinateUncertaintyInMeters) | +[Country](#dwc_country) | +[Country Code](#dwc_countryCode) | +[County](#dwc_county) | +[Decimal Latitude](#dwc_decimalLatitude) | +[Decimal Longitude](#dwc_decimalLongitude) | +[Footprint SRS](#dwc_footprintSRS) | +[Footprint Spatial Fit](#dwc_footprintSpatialFit) | +[Footprint WKT](#dwc_footprintWKT) | +[Geodetic Datum](#dwc_geodeticDatum) | +[Georeference Protocol](#dwc_georeferenceProtocol) | +[Georeference Remarks](#dwc_georeferenceRemarks) | +[Georeference Sources](#dwc_georeferenceSources) | +[Georeference Verification Status](#dwc_georeferenceVerificationStatus) | +[Georeferenced By](#dwc_georeferencedBy) | +[Georeferenced Date](#dwc_georeferencedDate) | +[Higher Geography](#dwc_higherGeography) | +[Higher Geography ID](#dwc_higherGeographyID) | +[Island](#dwc_island) | +[Island Group](#dwc_islandGroup) | +[Locality](#dwc_locality) | +[Location According To](#dwc_locationAccordingTo) | +[Location Attributes](#dwc_locationAttributes) | +[Location ID](#dwc_locationID) | +[Location Remarks](#dwc_locationRemarks) | +[Maximum Depth In Meters](#dwc_maximumDepthInMeters) | +[Maximum Distance Above Surface In Meters](#dwc_maximumDistanceAboveSurfaceInMeters) | +[Maximum Elevation In Meters](#dwc_maximumElevationInMeters) | +[Minimum Depth In Meters](#dwc_minimumDepthInMeters) | +[Minimum Distance Above Surface In Meters](#dwc_minimumDistanceAboveSurfaceInMeters) | +[Minimum Elevation In Meters](#dwc_minimumElevationInMeters) | +[Municipality](#dwc_municipality) | +[Point Radius Spatial Fit](#dwc_pointRadiusSpatialFit) | +[Sampling Location ID](#dwc_SamplingLocationID) | +[Sampling Location Remarks](#dwc_SamplingLocationRemarks) | +[State Province](#dwc_stateProvince) | +[Verbatim Coordinate System](#dwc_verbatimCoordinateSystem) | +[Verbatim Coordinates](#dwc_verbatimCoordinates) | +[Verbatim Depth](#dwc_verbatimDepth) | +[Verbatim Elevation](#dwc_verbatimElevation) | +[Verbatim Latitude](#dwc_verbatimLatitude) | +[Verbatim Locality](#dwc_verbatimLocality) | +[Verbatim Longitude](#dwc_verbatimLongitude) | +[Verbatim SRS](#dwc_verbatimSRS) | +[Water Body](#dwc_waterBody) + +**Geological Context** + +[Bed](#dwc_bed) | +[Earliest Age Or Lowest Stage](#dwc_earliestAgeOrLowestStage) | +[Earliest Eon Or Lowest Eonothem](#dwc_earliestEonOrLowestEonothem) | +[Earliest Epoch Or Lowest Series](#dwc_earliestEpochOrLowestSeries) | +[Earliest Era Or Lowest Erathem](#dwc_earliestEraOrLowestErathem) | +[Earliest Period Or Lowest System](#dwc_earliestPeriodOrLowestSystem) | +[Formation](#dwc_formation) | +[Geological Context ID](#dwc_geologicalContextID) | +[Group](#dwc_group) | +[Highest Biostratigraphic Zone](#dwc_highestBiostratigraphicZone) | +[Latest AgeOr Highest Stage](#dwc_latestAgeOrHighestStage) | +[Latest Eon Or Highest Eonothem](#dwc_latestEonOrHighestEonothem) | +[Latest Epoch Or Highest Series](#dwc_latestEpochOrHighestSeries) | +[Latest Era Or Highest Erathem](#dwc_latestEraOrHighestErathem) | +[Latest Period Or Highest System](#dwc_latestPeriodOrHighestSystem) | +[Lithostratigraphic Terms](#dwc_lithostratigraphicTerms) | +[Lowest Biostratigraphic Zone](#dwc_lowestBiostratigraphicZone) | +[Member](#dwc_member) + +**Identification** + +[Date Identified](#dwc_dateIdentified) | +[Identification Attributes](#dwc_identificationAttributes) | +[Identification ID](#dwc_identificationID) | +[Identification Qualifier](#dwc_identificationQualifier) | +[Identification References](#dwc_identificationReferences) | +[Identification Remarks](#dwc_identificationRemarks) | +[Identification Verification Status](#dwc_identificationVerificationStatus) | +[Identified By](#dwc_identifiedBy) | +[Previous Identifications](#dwc_PreviousIdentifications) | +[Type Status](#dwc_typeStatus) + +**Taxon** + +[Accepted Name Usage](#dwc_acceptedNameUsage) | +[Accepted Name Usage ID](#dwc_acceptedNameUsageID) | +[Accepted Scientific Name](#dwc_acceptedScientificName) | +[Accepted Scientific Name ID](#dwc_acceptedScientificNameID) | +[Accepted Taxon](#dwc_AcceptedTaxon) | +[Accepted Taxon ID](#dwc_AcceptedTaxonID) | +[Accepted Taxon Name](#dwc_acceptedTaxonName) | +[Accepted Taxon Name ID](#dwc_acceptedTaxonNameID) | +[Basionym](#dwc_basionym) | +[Basionym ID](#dwc_basionymID) | +[Binomial](#dwc_binomial) | +[Class](#dwc_class) | +[Family](#dwc_family) | +[Genus](#dwc_genus) | +[Higher Classification](#dwc_higherClassification) | +[Higher Taxon](#dwc_HigherTaxon) | +[Higher Taxon Concept ID](#dwc_higherTaxonconceptID) | +[Higher Taxon ID](#dwc_HigherTaxonID) | +[Higher Taxon Name](#dwc_higherTaxonName) | +[Higher Taxon Name ID](#dwc_higherTaxonNameID) | +[Infraspecific Epithet](#dwc_infraspecificEpithet) | +[Kingdom](#dwc_kingdom) | +[Name According To](#dwc_nameAccordingTo) | +[Name According To ID](#dwc_nameAccordingToID) | +[Name Publication ID](#dwc_namePublicationID) | +[Name Published In](#dwc_namePublishedIn) | +[Name Published In ID](#dwc_namePublishedInID) | +[Name Published In Year](#dwc_namePublishedInYear) | +[Nomenclatural Code](#dwc_nomenclaturalCode) | +[Nomenclatural Status](#dwc_nomenclaturalStatus) | +[Order](#dwc_order) | +[Original Name Usage](#dwc_originalNameUsage) | +[Original Name Usage ID](#dwc_originalNameUsageID) | +[Parent Name Usage](#dwc_parentNameUsage) | +[Parent Name Usage ID](#dwc_parentNameUsageID) | +[Phylum](#dwc_phylum) | +[Scientific Name](#dwc_scientificName) | +[Scientific Name Authorship](#dwc_scientificNameAuthorship) | +[Scientific Name ID](#dwc_scientificNameID) | +[Scientific Name Rank](#dwc_scientificNameRank) | +[Specific Epithet](#dwc_specificEpithet) | +[Subgenus](#dwc_subgenus) | +[Taxon According To](#dwc_taxonAccordingTo) | +[Taxon Attributes](#dwc_taxonAttributes) | +[Taxon Concept ID](#dwc_taxonConceptID) | +[Taxon ID](#dwc_TaxonID) | +[Taxon Name ID](#dwc_taxonNameID) | +[Taxon Rank](#dwc_taxonRank) | +[Taxon Remarks](#dwc_taxonRemarks) | +[Taxonomic Status](#dwc_taxonomicStatus) | +[Verbatim Scientific Name Rank](#dwc_verbatimScientificNameRank) | +[Verbatim Taxon Rank](#dwc_verbatimTaxonRank) | +[Vernacular Name](#dwc_vernacularName) + +**Measurement or Fact** + +[Measurement Accuracy](#dwc_measurementAccuracy) | +[Measurement Determined By](#dwc_measurementDeterminedBy) | +[Measurement Determined Date](#dwc_measurementDeterminedDate) | +[Measurement ID](#dwc_measurementID) | +[Measurement Method](#dwc_measurementMethod) | +[Measurement Remarks](#dwc_measurementRemarks) | +[Measurement Type](#dwc_measurementType) | +[Measurement Unit](#dwc_measurementUnit) | +[Measurement Value](#dwc_measurementValue) + +**Resource Relationship** + +[Related Basis of Record](#dwc_RelatedBasisOfRecord) | +[Related Resource ID](#dwc_relatedResourceID) | +[Related Resource Type](#dwc_relatedResourceType) | +[Relationship According To](#dwc_relationshipAccordingTo) | +[Relationship Established Date](#dwc_relationshipEstablishedDate) | +[Relationship Of Resource](#dwc_relationshipOfResource) | +[Relationship Remarks](#dwc_relationshipRemarks) | +[Resource ID](#dwc_resourceID) | +[Resource Relationship ID](#dwc_resourceRelationshipID) + +**IRI-value terms** + +[Behavior (IRI)](#dwciri_behavior) | +[Data Generalizations (IRI)](#dwciri_dataGeneralizations) | +[Disposition (IRI)](#dwciri_disposition) | +[Earliest Geochronological Era](#dwciri_earliestGeochronologicalEra) | +[Establishment Means (IRI)](#dwciri_establishmentMeans) | +[Field Notes (IRI)](#dwciri_fieldNotes) | +[Field Number (IRI)](#dwciri_fieldNumber) | +[Footprint SRS (IRI)](#dwciri_footprintSRS) | +[Footprint WKT (IRI)](#dwciri_footprintWKT) | +[From Lithostratigraphic Unit](#dwciri_fromLithostratigraphicUnit) | +[Geodetic Datum (IRI)](#dwciri_geodeticDatum) | +[Georeference Protocol (IRI)](#dwciri_georeferenceProtocol) | +[Georeference Sources (IRI)](#dwciri_georeferenceSources) | +[Georeference Verification Status (IRI)](#dwciri_georeferenceVerificationStatus) | +[Georeferenced By (IRI)](#dwciri_georeferencedBy) | +[Habitat (IRI)](#dwciri_habitat) | +[Identification Qualifier (IRI)](#dwciri_identificationQualifier) | +[Identification Verification Status (IRI)](#dwciri_identificationVerificationStatus) | +[Identified By (IRI)](#dwciri_identifiedBy) | +[In Collection](#dwciri_inCollection) | +[In Dataset](#dwciri_inDataset) | +[In Described Place](#dwciri_inDescribedPlace) | +[Information Withheld (IRI)](#dwciri_informationWithheld) | +[Latest Geochronological Era](#dwciri_latestGeochronologicalEra) | +[Life Stage (IRI)](#dwciri_lifeStage) | +[Location According To (IRI)](#dwciri_locationAccordingTo) | +[Measurement Determined By (IRI)](#dwciri_measurementDeterminedBy) | +[Measurement Method (IRI)](#dwciri_measurementMethod) | +[Measurement Type (IRI)](#dwciri_measurementType) | +[Measurement Unit (IRI)](#dwciri_measurementUnit) | +[Occurrence Status (IRI)](#dwciri_occurrenceStatus) | +[Organism Quantity Type (IRI)](#dwciri_organismQuantityType) | +[Preparations (IRI)](#dwciri_preparations) | +[Record Number (IRI)](#dwciri_recordNumber) | +[Recorded By (IRI)](#dwciri_recordedBy) | +[Reproductive Condition (IRI)](#dwciri_reproductiveCondition) | +[Sampling Protocol (IRI)](#dwciri_samplingProtocol) | +[Sampling Size Unit (IRI)](#dwciri_sampleSizeUnit) | +[Sex (IRI)](#dwciri_sex) | +[To Taxon](#dwciri_toTaxon) | +[Type Status (IRI)](#dwciri_typeStatus) | +[Verbatim Coordinate System (IRI)](#dwciri_verbatimCoordinateSystem) | +[Verbatim SRS (IRI)](#dwciri_verbatimSRS) + +## 4 Vocabulary + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:acceptedNameUsage
Term IRIhttp://rs.tdwg.org/dwc/terms/acceptedNameUsage
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/acceptedNameUsage-2017-10-06
LabelAccepted Name Usage
DefinitionThe full name, with authorship and date information if known, of the currently valid (zoological) or accepted (botanical) taxon.
Examples`Tamias minimus` (valid name for Eutamias minimus).
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:acceptedNameUsageID
Term IRIhttp://rs.tdwg.org/dwc/terms/acceptedNameUsageID
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/acceptedNameUsageID-2017-10-06
LabelAccepted Name Usage ID
DefinitionAn identifier for the name usage (documented meaning of the name according to a source) of the currently valid (zoological) or accepted (botanical) taxon.
Examples`8fa58e08-08de-4ac1-b69c-1235340b7001`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:acceptedScientificName
Term IRIhttp://rs.tdwg.org/dwc/terms/acceptedScientificName
Modified2009-09-21
LabelAccepted Scientific Name
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/acceptedNameUsage
DefinitionThe currently valid (zoological) or accepted (botanical) name for the scientificName.
NotesExample: "Tamias minimus" valid name for "Eutamias minimus"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:acceptedScientificNameID
Term IRIhttp://rs.tdwg.org/dwc/terms/acceptedScientificNameID
Modified2009-08-24
LabelAccepted Scientific Name ID
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/acceptedTaxonID
DefinitionA unique identifier for the acceptedScientificName.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:AcceptedTaxon
Term IRIhttp://rs.tdwg.org/dwc/terms/AcceptedTaxon
Modified2009-04-24
LabelAccepted Taxon
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/acceptedTaxonName
DefinitionThe currently valid (zoological) or accepted (botanical) name for the ScientificName.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:AcceptedTaxonID
Term IRIhttp://rs.tdwg.org/dwc/terms/AcceptedTaxonID
Modified2009-04-24
LabelAccepted Taxon ID
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/acceptedTaxonNameID
DefinitionA global unique identifier for the parent to the AcceptedTaxon.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:acceptedTaxonID
Term IRIhttp://rs.tdwg.org/dwc/terms/acceptedTaxonID
Modified2009-09-21
LabelAccepted Taxon ID
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/acceptedNameUsageID
DefinitionAn identifier for the name of the currently valid (zoological) or accepted (botanical) taxon. See acceptedTaxon.
NotesExample: "8fa58e08-08de-4ac1-b69c-1235340b7001"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:acceptedTaxonName
Term IRIhttp://rs.tdwg.org/dwc/terms/acceptedTaxonName
Modified2009-07-06
LabelAccepted Taxon Name
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/acceptedScientificName
DefinitionThe currently valid (zoological) or accepted (botanical) name for the scientificName.
NotesExample: "Tamias minimus" valid name for "Eutamias minimus"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:acceptedTaxonNameID
Term IRIhttp://rs.tdwg.org/dwc/terms/acceptedTaxonNameID
Modified2009-07-06
LabelAccepted Taxon Name ID
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/acceptedScientificNameID
DefinitionA unique identifier for the acceptedTaxonName.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:AccessConstraints
Term IRIhttp://rs.tdwg.org/dwc/terms/AccessConstraints
Modified2009-09-21
LabelAccess Constraints
This term is deprecated and should no longer be used.
Is replaced byhttp://purl.org/dc/terms/accessRights
DefinitionA description of constraints on the use of the data as shared or access to further data that is not shared.
NotesExample: "not-for-profit use only".
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dcterms:accessRights
Term IRIhttp://purl.org/dc/terms/accessRights
Modified2008-01-14
Term version IRIhttp://dublincore.org/usage/terms/history/#accessRights-002
LabelAccess Rights
DefinitionInformation about who can access the resource or an indication of its security status.
NotesAccess Rights may include information regarding access or restrictions based on privacy, security, or other policies.
Examples`not-for-profit use only`, `https://www.fieldmuseum.org/field-museum-natural-history-conditions-and-suggested-norms-use-collections-data-and-images`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:accordingTo
Term IRIhttp://rs.tdwg.org/dwc/terms/accordingTo
Modified2020-08-06
LabelAccording To
This term is deprecated and should no longer be used.
DefinitionAbstract term to attribute information to a source.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:accuracy
Term IRIhttp://rs.tdwg.org/dwc/terms/accuracy
Modified2009-04-24
LabelAccuracy
This term is deprecated and should no longer be used.
DefinitionAbstract term to capture error information about a measurement or fact.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:associatedMedia
Term IRIhttp://rs.tdwg.org/dwc/terms/associatedMedia
Modified2020-08-12
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/associatedMedia-2020-08-12
LabelAssociated Media
DefinitionA list (concatenated and separated) of identifiers (publication, global unique identifier, URI) of media associated with the Occurrence.
Examples`https://arctos.database.museum/media/10520962 | https://arctos.database.museum/media/10520964`
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-30_16
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:associatedOccurrences
Term IRIhttp://rs.tdwg.org/dwc/terms/associatedOccurrences
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/associatedOccurrences-2017-10-06
LabelAssociated Occurrences
DefinitionA list (concatenated and separated) of identifiers of other Occurrence records and their associations to this Occurrence.
Examples`http://arctos.database.museum/guid/MSB:Mamm:292063?seid=3175067 | http://arctos.database.museum/guid/MSB:Mamm:292063?seid=3177393 | http://arctos.database.museum/guid/MSB:Mamm:292063?seid=3177394 | http://arctos.database.museum/guid/MSB:Mamm:292063?seid=3177392 | http://arctos.database.museum/guid/MSB:Mamm:292063?seid=3609139`
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-26_14
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-30_16
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:associatedOrganisms
Term IRIhttp://rs.tdwg.org/dwc/terms/associatedOrganisms
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/associatedOrganisms-2017-10-06
LabelAssociated Organisms
DefinitionA list (concatenated and separated) of identifiers of other Organisms and their associations to this Organism.
Examples`"sibling of":"DMNS:Mamm http://arctos.database.museum/guid/DMNS:Mamm:14171"`, `"parent of":"MSB:Mamm http://arctos.database.museum/guid/MSB:Mamm:196208" | "parent of":"MSB:Mamm http://arctos.database.museum/guid/MSB:Mamm:196523" | "sibling of":"MSB:Mamm http://arctos.database.museum/guid/MSB:Mamm:142638"`
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-26_14
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:associatedReferences
Term IRIhttp://rs.tdwg.org/dwc/terms/associatedReferences
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/associatedReferences-2017-10-06
LabelAssociated References
DefinitionA list (concatenated and separated) of identifiers (publication, bibliographic reference, global unique identifier, URI) of literature associated with the Occurrence.
Examples`http://www.sciencemag.org/cgi/content/abstract/322/5899/261`, `Christopher J. Conroy, Jennifer L. Neuwald. 2008. Phylogeographic study of the California vole, Microtus californicus Journal of Mammalogy, 89(3):755-767.`, `Steven R. Hoofer and Ronald A. Van Den Bussche. 2001. Phylogenetic Relationships of Plecotine Bats and Allies Based on Mitochondrial Ribosomal Sequences. Journal of Mammalogy 82(1):131-137. | Walker, Faith M., Jeffrey T. Foster, Kevin P. Drees, Carol L. Chambers. 2014. Spotted bat (Euderma maculatum) microsatellite discovery using illumina sequencing. Conservation Genetics Resources.`
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-30_16
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:associatedSequences
Term IRIhttp://rs.tdwg.org/dwc/terms/associatedSequences
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/associatedSequences-2017-10-06
LabelAssociated Sequences
DefinitionA list (concatenated and separated) of identifiers (publication, global unique identifier, URI) of genetic sequence information associated with the Occurrence.
Examples`http://www.ncbi.nlm.nih.gov/nuccore/U34853.1`, `http://www.ncbi.nlm.nih.gov/nuccore/GU328060 | http://www.ncbi.nlm.nih.gov/nuccore/AF326093`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:associatedTaxa
Term IRIhttp://rs.tdwg.org/dwc/terms/associatedTaxa
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/associatedTaxa-2017-10-06
LabelAssociated Taxa
DefinitionA list (concatenated and separated) of identifiers or names of taxa and their associations with the Occurrence.
Examples`"host":"Quercus alba"`, `"parasitoid of":"Cyclocephala signaticollis" | "predator of":"Apis mellifera"`
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-30_16
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:basionym
Term IRIhttp://rs.tdwg.org/dwc/terms/basionym
Modified2009-09-21
LabelBasionym
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/originalNameUsage
DefinitionThe basionym (botany) or basonym (bacteriology) of the scientificName.
NotesExample: "Pinus abies"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:basionymID
Term IRIhttp://rs.tdwg.org/dwc/terms/basionymID
Modified2009-09-21
LabelBasionym ID
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/originalNameUsageID
DefinitionA unique identifier for the basionym (botany) or basonym (bacteriology) of the scientificName.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:basisOfRecord
Term IRIhttp://rs.tdwg.org/dwc/terms/basisOfRecord
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/basisOfRecord-2017-10-06
LabelBasis of Record
DefinitionThe specific nature of the data record.
NotesRecommended best practice is to use the standard label of one of the Darwin Core classes.
Examples`PreservedSpecimen`, `FossilSpecimen`, `LivingSpecimen`, `MaterialSample`, `Event`, `HumanObservation`, `MachineObservation`, `Taxon`, `Occurrence`
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2009-12-07_2
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-26_15
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:bed
Term IRIhttp://rs.tdwg.org/dwc/terms/bed
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/bed-2017-10-06
LabelBed
DefinitionThe full name of the lithostratigraphic bed from which the cataloged item was collected.
Examples`Harlem coal`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:behavior
Term IRIhttp://rs.tdwg.org/dwc/iri/behavior
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/behavior-2015-03-27
LabelBehavior (IRI)
DefinitionA description of the behavior shown by the subject at the time the Occurrence was recorded.
NotesRecommended best practice is to use a controlled vocabulary. Terms in the dwciri namespace are intended to be used in RDF with non-literal objects.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:behavior
Term IRIhttp://rs.tdwg.org/dwc/terms/behavior
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/behavior-2017-10-06
LabelBehavior
DefinitionThe behavior shown by the subject at the time the Occurrence was recorded.
Examples`roosting`, `foraging`, `running`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dcterms:bibliographicCitation
Term IRIhttp://purl.org/dc/terms/bibliographicCitation
Modified2008-01-14
Term version IRIhttp://dublincore.org/usage/terms/history/#bibliographicCitation-002
LabelBibliographic Citation
DefinitionA bibliographic reference for the resource as a statement indicating how this record should be cited (attributed) when used.
NotesRecommended practice is to include sufficient bibliographic detail to identify the resource as unambiguously as possible.
ExamplesSpecimen example: `Museum of Vertebrate Zoology, UC Berkeley. MVZ Mammal Collection (Arctos). Record ID: http://arctos.database.museum/guid/MVZ:Mamm:165861?seid=101356. Source: http://ipt.vertnet.org:8080/ipt/resource.do?r=mvz_mammal`. Taxon example: `Oliver P. Pearson. 1985. Los tuco-tucos (genera Ctenomys) de los Parques Nacionales Lanin y Nahuel Huapi, Argentina Historia Natural, 5(37):337-343.`.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:binomial
Term IRIhttp://rs.tdwg.org/dwc/terms/binomial
Modified2009-04-24
LabelBinomial
This term is deprecated and should no longer be used.
DefinitionThe combination of genus and first (species) epithet of the scientificName.
NotesExample: "Ctenomys sociabilis"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:catalogNumber
Term IRIhttp://rs.tdwg.org/dwc/terms/catalogNumber
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/catalogNumber-2017-10-06
LabelCatalog Number
DefinitionAn identifier (preferably unique) for the record within the data set or collection.
Examples`145732`, `145732a`, `2008.1334`, `R-4313`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:CatalogNumberNumeric
Term IRIhttp://rs.tdwg.org/dwc/terms/CatalogNumberNumeric
Modified2009-04-24
LabelCatalog Number Numeric
This term is deprecated and should no longer be used.
DefinitionThe numeric value of the catalogNumber, used to facilitate numerical sorting and searching by ranges.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:class
Term IRIhttp://rs.tdwg.org/dwc/terms/class
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/class-2017-10-06
LabelClass
DefinitionThe full scientific name of the class in which the taxon is classified.
Examples`Mammalia`, `Hepaticopsida`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:collectionCode
Term IRIhttp://rs.tdwg.org/dwc/terms/collectionCode
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/collectionCode-2017-10-06
LabelCollection Code
DefinitionThe name, acronym, coden, or initialism identifying the collection or data set from which the record was derived.
Examples`Mammals`, `Hildebrandt`, `EBIRD`, `VP`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:collectionID
Term IRIhttp://rs.tdwg.org/dwc/terms/collectionID
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/collectionID-2017-10-06
LabelCollection ID
DefinitionAn identifier for the collection or dataset from which the record was derived.
NotesFor physical specimens, the recommended best practice is to use an identifier from a collections registry such as the Global Registry of Biodiversity Repositories (http://grbio.org/).
Examples`http://biocol.org/urn:lsid:biocol.org:col:1001`, `http://grbio.org/cool/p5fp-c036`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:continent
Term IRIhttp://rs.tdwg.org/dwc/terms/continent
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/continent-2017-10-06
LabelContinent
DefinitionThe name of the continent in which the Location occurs.
NotesRecommended best practice is to use a controlled vocabulary such as the Getty Thesaurus of Geographic Names.
Examples`Africa`, `Antarctica`, `Asia`, `Europe`, `North America`, `Oceania`, `South America`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:coordinatePrecision
Term IRIhttp://rs.tdwg.org/dwc/terms/coordinatePrecision
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/coordinatePrecision-2017-10-06
LabelCoordinate Precision
DefinitionA decimal representation of the precision of the coordinates given in the decimalLatitude and decimalLongitude.
Examples`0.00001` (normal GPS limit for decimal degrees). `0.000278` (nearest second). `0.01667` (nearest minute). `1.0` (nearest degree).
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:coordinateUncertaintyInMeters
Term IRIhttp://rs.tdwg.org/dwc/terms/coordinateUncertaintyInMeters
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/coordinateUncertaintyInMeters-2017-10-06
LabelCoordinate Uncertainty In Meters
DefinitionThe horizontal distance (in meters) from the given decimalLatitude and decimalLongitude describing the smallest circle containing the whole of the Location. Leave the value empty if the uncertainty is unknown, cannot be estimated, or is not applicable (because there are no coordinates). Zero is not a valid value for this term.
Examples`30` (reasonable lower limit of a GPS reading under good conditions if the actual precision was not recorded at the time). `71` (uncertainty for a UTM coordinate having 100 meter precision and a known spatial reference system).
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:country
Term IRIhttp://rs.tdwg.org/dwc/terms/country
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/country-2017-10-06
LabelCountry
DefinitionThe name of the country or major administrative unit in which the Location occurs.
NotesRecommended best practice is to use a controlled vocabulary such as the Getty Thesaurus of Geographic Names.
Examples`Denmark`, `Colombia`, `España`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:countryCode
Term IRIhttp://rs.tdwg.org/dwc/terms/countryCode
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/countryCode-2017-10-06
LabelCountry Code
DefinitionThe standard code for the country in which the Location occurs.
NotesRecommended best practice is to use an ISO 3166-1-alpha-2 country code.
Examples`AR`, `SV`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:county
Term IRIhttp://rs.tdwg.org/dwc/terms/county
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/county-2017-10-06
LabelCounty
DefinitionThe full, unabbreviated name of the next smaller administrative region than stateProvince (county, shire, department, etc.) in which the Location occurs.
NotesRecommended best practice is to use a controlled vocabulary such as the Getty Thesaurus of Geographic Names.
Examples`Missoula`, `Los Lagos`, `Mataró`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:dataGeneralizations
Term IRIhttp://rs.tdwg.org/dwc/terms/dataGeneralizations
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/dataGeneralizations-2017-10-06
LabelData Generalizations
DefinitionActions taken to make the shared data less specific or complete than in its original form. Suggests that alternative data of higher quality may be available on request.
Examples`Coordinates generalized from original GPS coordinates to the nearest half degree grid cell`.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:dataGeneralizations
Term IRIhttp://rs.tdwg.org/dwc/iri/dataGeneralizations
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/dataGeneralizations-2015-03-27
LabelData Generalizations (IRI)
DefinitionActions taken to make the shared data less specific or complete than in its original form. Suggests that alternative data of higher quality may be available on request.
NotesTerms in the dwciri namespace are intended to be used in RDF with non-literal objects.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:Dataset
Term IRIhttp://rs.tdwg.org/dwc/terms/Dataset
Modified2009-09-11
LabelDataset
This term is deprecated and should no longer be used.
DefinitionThe category of information pertaining to a logical set of records.
TypeClass
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:datasetID
Term IRIhttp://rs.tdwg.org/dwc/terms/datasetID
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/datasetID-2017-10-06
LabelDataset ID
DefinitionAn identifier for the set of data. May be a global unique identifier or an identifier specific to a collection or institution.
Examples`b15d4952-7d20-46f1-8a3e-556a512b04c5`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:datasetName
Term IRIhttp://rs.tdwg.org/dwc/terms/datasetName
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/datasetName-2017-10-06
LabelDataset Name
DefinitionThe name identifying the data set from which the record was derived.
Examples`Grinnell Resurvey Mammals`, `Lacey Ctenomys Recaptures`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:dateIdentified
Term IRIhttp://rs.tdwg.org/dwc/terms/dateIdentified
Modified2020-08-12
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/dateIdentified-2020-08-12
LabelDate Identified
DefinitionThe date on which the subject was determined as representing the Taxon.
NotesRecommended best practice is to use a date that conforms to ISO 8601-1:2019.
Examples`1963-03-08T14:07-0600` (8 Mar 1963 at 2:07pm in the time zone six hours earlier than UTC). `2009-02-20T08:40Z` (20 February 2009 8:40am UTC). `2018-08-29T15:19` (3:19pm local time on 29 August 2018). `1809-02-12` (some time during 12 February 1809). `1906-06` (some time in June 1906). `1971` (some time in the year 1971). `2007-03-01T13:00:00Z/2008-05-11T15:30:00Z` (some time during the interval between 1 March 2007 1pm UTC and 11 May 2008 3:30pm UTC). `1900/1909` (some time during the interval between the beginning of the year 1900 and the end of the year 1909). `2007-11-13/15` (some time in the interval between 13 November 2007 and 15 November 2007).
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2019-12-01_19
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:day
Term IRIhttp://rs.tdwg.org/dwc/terms/day
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/day-2017-10-06
LabelDay
DefinitionThe integer day of the month on which the Event occurred.
Examples`9`, `28`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:decimalLatitude
Term IRIhttp://rs.tdwg.org/dwc/terms/decimalLatitude
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/decimalLatitude-2017-10-06
LabelDecimal Latitude
DefinitionThe geographic latitude (in decimal degrees, using the spatial reference system given in geodeticDatum) of the geographic center of a Location. Positive values are north of the Equator, negative values are south of it. Legal values lie between -90 and 90, inclusive.
Examples`-41.0983423`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:decimalLongitude
Term IRIhttp://rs.tdwg.org/dwc/terms/decimalLongitude
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/decimalLongitude-2017-10-06
LabelDecimal Longitude
DefinitionThe geographic longitude (in decimal degrees, using the spatial reference system given in geodeticDatum) of the geographic center of a Location. Positive values are east of the Greenwich Meridian, negative values are west of it. Legal values lie between -180 and 180, inclusive.
Examples`-121.1761111`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:disposition
Term IRIhttp://rs.tdwg.org/dwc/iri/disposition
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/disposition-2015-03-27
LabelDisposition (IRI)
DefinitionThe current state of a specimen with respect to the collection identified in collectionCode or collectionID.
NotesRecommended best practice is to use a controlled vocabulary. Terms in the dwciri namespace are intended to be used in RDF with non-literal objects.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:disposition
Term IRIhttp://rs.tdwg.org/dwc/terms/disposition
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/disposition-2017-10-06
LabelDisposition
DefinitionThe current state of a specimen with respect to the collection identified in collectionCode or collectionID.
NotesRecommended best practice is to use a controlled vocabulary.
Examples`in collection`, `missing`, `voucher elsewhere`, `duplicates elsewhere`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:DwCType
Term IRIhttp://rs.tdwg.org/dwc/terms/DwCType
Modified2014-10-23
LabelDarwin Core Type
This term is deprecated and should no longer be used.
DefinitionThe set of classes specified by the Darwin Core Type Vocabulary, used to categorize the nature or genre of the resource.
Typehttp://purl.org/dc/dcam/VocabularyEncodingScheme
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:dynamicProperties
Term IRIhttp://rs.tdwg.org/dwc/terms/dynamicProperties
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/dynamicProperties-2017-10-06
LabelDynamic Properties
DefinitionA list of additional measurements, facts, characteristics, or assertions about the record. Meant to provide a mechanism for structured content.
NotesRecommended best practice is to use a key:value encoding schema for a data interchange format such as JSON.
Examples`{"heightInMeters":1.5}`, `{"tragusLengthInMeters":0.014, "weightInGrams":120}`, `{"natureOfID":"expert identification", "identificationEvidence":"cytochrome B sequence"}`, `{"relativeHumidity":28, "airTemperatureInCelsius":22, "sampleSizeInKilograms":10}`, `{"aspectHeading":277, "slopeInDegrees":6}`, `{"iucnStatus":"vulnerable", "taxonDistribution":"Neuquén, Argentina"}`
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-30_16
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:earliestAgeOrLowestStage
Term IRIhttp://rs.tdwg.org/dwc/terms/earliestAgeOrLowestStage
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/earliestAgeOrLowestStage-2017-10-06
LabelEarliest Age Or Lowest Stage
DefinitionThe full name of the earliest possible geochronologic age or lowest chronostratigraphic stage attributable to the stratigraphic horizon from which the cataloged item was collected.
Examples`Atlantic`, `Boreal`, `Skullrockian`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:EarliestDateCollected
Term IRIhttp://rs.tdwg.org/dwc/terms/EarliestDateCollected
Modified2009-04-24
LabelEarliest Date Collected
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/eventDate
DefinitionThe earliest date-time in a period during which a event occurred. If the event is recorded as occurring at a single date-time, populate both EarliestDateCollected and LatestDateCollected with the same value. Recommended best practice is to use an encoding scheme, such as ISO 8601:2004(E).
NotesDate may be used to express temporal information at any level of granularity. Recommended best practice is to use an encoding scheme, such as the W3CDTF profile of ISO 8601 [W3CDTF].
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:earliestEonOrLowestEonothem
Term IRIhttp://rs.tdwg.org/dwc/terms/earliestEonOrLowestEonothem
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/earliestEonOrLowestEonothem-2017-10-06
LabelEarliest Eon Or Lowest Eonothem
DefinitionThe full name of the earliest possible geochronologic eon or lowest chrono-stratigraphic eonothem or the informal name ("Precambrian") attributable to the stratigraphic horizon from which the cataloged item was collected.
Examples`Phanerozoic`, `Proterozoic`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:earliestEpochOrLowestSeries
Term IRIhttp://rs.tdwg.org/dwc/terms/earliestEpochOrLowestSeries
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/earliestEpochOrLowestSeries-2017-10-06
LabelEarliest Epoch Or Lowest Series
DefinitionThe full name of the earliest possible geochronologic epoch or lowest chronostratigraphic series attributable to the stratigraphic horizon from which the cataloged item was collected.
Examples`Holocene`, `Pleistocene`, `Ibexian Series`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:earliestEraOrLowestErathem
Term IRIhttp://rs.tdwg.org/dwc/terms/earliestEraOrLowestErathem
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/earliestEraOrLowestErathem-2017-10-06
LabelEarliest Era Or Lowest Erathem
DefinitionThe full name of the earliest possible geochronologic era or lowest chronostratigraphic erathem attributable to the stratigraphic horizon from which the cataloged item was collected.
Examples`Cenozoic`, `Mesozoic`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:earliestGeochronologicalEra
Term IRIhttp://rs.tdwg.org/dwc/iri/earliestGeochronologicalEra
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/earliestGeochronologicalEra-2015-03-27
LabelEarliest Geochronological Era
DefinitionUse to link a dwc:GeologicalContext instance to chronostratigraphic time periods at the lowest possible level in a standardized hierarchy. Use this property to point to the earliest possible geological time period from which the cataloged item was collected.
NotesRecommended best practice is to use an IRI from a controlled vocabulary. A "convenience property" that replaces Darwin Core literal-value terms related to geological context. See Section 2.7.6 of the Darwin Core RDF Guide for details.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:earliestPeriodOrLowestSystem
Term IRIhttp://rs.tdwg.org/dwc/terms/earliestPeriodOrLowestSystem
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/earliestPeriodOrLowestSystem-2017-10-06
LabelEarliest Period Or Lowest System
DefinitionThe full name of the earliest possible geochronologic period or lowest chronostratigraphic system attributable to the stratigraphic horizon from which the cataloged item was collected.
Examples`Neogene`, `Tertiary`, `Quaternary`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:endDayOfYear
Term IRIhttp://rs.tdwg.org/dwc/terms/endDayOfYear
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/endDayOfYear-2017-10-06
LabelEnd Day Of Year
DefinitionThe latest ordinal day of the year on which the Event occurred (1 for January 1, 365 for December 31, except in a leap year, in which case it is 366).
Examples`1` (1 January). `32` (1 February). `366` (31 December). `365` (30 December in a leap year, 31 December in a non-leap year).
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:EndTimeOfDay
Term IRIhttp://rs.tdwg.org/dwc/terms/EndTimeOfDay
Modified2009-04-24
LabelEnd Time of Day
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/eventTime
DefinitionThe time of day when the event ended, expressed as decimal hours from midnight, local time.
NotesExamples: "12.0" (= noon), "13.5" (= 1:30pm)
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:establishmentMeans
Term IRIhttp://rs.tdwg.org/dwc/terms/establishmentMeans
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/establishmentMeans-2017-10-06
LabelEstablishment Means
DefinitionThe process by which the biological individual(s) represented in the Occurrence became established at the location.
NotesRecommended best practice is to use a controlled vocabulary.
Examples`native`, `introduced`, `naturalised`, `invasive`, `managed`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:establishmentMeans
Term IRIhttp://rs.tdwg.org/dwc/iri/establishmentMeans
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/establishmentMeans-2015-03-27
LabelEstablishment Means (IRI)
DefinitionThe process by which the biological individual(s) represented in the Occurrence became established at the location.
NotesRecommended best practice is to use a controlled vocabulary. Terms in the dwciri namespace are intended to be used in RDF with non-literal objects.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:Event
Term IRIhttp://rs.tdwg.org/dwc/terms/Event
Modified2018-09-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/Event-2018-09-06
LabelEvent
DefinitionAn action that occurs at some location during some time.
ExamplesA specimen collection process. A camera trap image capture. A marine trawl.
TypeClass
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-26_15
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:EventAttribute
Term IRIhttp://rs.tdwg.org/dwc/terms/EventAttribute
Modified2009-04-24
LabelEvent Attribute
This term is deprecated and should no longer be used.
DefinitionContainer class for information about attributes related to a given sampling event.
TypeClass
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:EventAttributeAccuracy
Term IRIhttp://rs.tdwg.org/dwc/terms/EventAttributeAccuracy
Modified2009-04-24
LabelEvent Attribute Accuracy
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/eventMeasurementAccuracy
DefinitionThe description of the error associated with the EventAttributeValue.
NotesExample: "0.01", "normal distribution with variation of 2 m"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:EventAttributeDeterminedBy
Term IRIhttp://rs.tdwg.org/dwc/terms/EventAttributeDeterminedBy
Modified2009-04-24
LabelEvent Attribute Determined By
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/eventMeasurementDeterminedBy
DefinitionThe agent responsible for having determined the value of the measurement or characteristic of the sampling event.
NotesExample: "Robert Hijmans"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:EventAttributeDeterminedDate
Term IRIhttp://rs.tdwg.org/dwc/terms/EventAttributeDeterminedDate
Modified2009-04-24
LabelEvent Attribute Determined Date
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/eventMeasurementDeterminedDate
DefinitionThe date on which the the measurement or characteristic of the sampling event was made.
NotesDate may be used to express temporal information at any level of granularity. Recommended best practice is to use an encoding scheme, such as the W3CDTF profile of ISO 8601 [W3CDTF].
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:EventAttributeID
Term IRIhttp://rs.tdwg.org/dwc/terms/EventAttributeID
Modified2009-04-24
LabelEvent Attribute ID
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/eventMeasurementID
DefinitionAn identifier for the event attribute. May be a global unique identifier or an identifier specific to the data set.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:EventAttributeRemarks
Term IRIhttp://rs.tdwg.org/dwc/terms/EventAttributeRemarks
Modified2009-04-24
LabelEvent Attribute Remarks
This term is deprecated and should no longer be used.
DefinitionComments or notes accompanying the measurement or characteristic of the sampling event.
NotesExample: "temperature taken at 15:00"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:eventAttributes
Term IRIhttp://rs.tdwg.org/dwc/terms/eventAttributes
Modified2009-10-09
LabelEvent Attributes
This term is deprecated and should no longer be used.
DefinitionA list (concatenated and separated) of additional measurements or characteristics of the Event.
NotesExample: "Relative humidity: 28 %; Temperature: 22 C; Sample size: 10 kg"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:EventAttributeType
Term IRIhttp://rs.tdwg.org/dwc/terms/EventAttributeType
Modified2009-04-24
LabelEvent Attribute Type
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/eventMeasurementType
Is replaced byhttp://rs.tdwg.org/dwc/terms/SamplingAttributeType
DefinitionThe nature of the measurement or characteristic of the sampling event. Recommended best practice is to use a controlled vocabulary.
NotesExample: "Temperature"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:EventAttributeUnit
Term IRIhttp://rs.tdwg.org/dwc/terms/EventAttributeUnit
Modified2009-04-24
LabelEvent Attribute Unit
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/eventMeasurementUnit
DefinitionThe units for the value of the measurement or characteristic of the sampling event. Recommended best practice is to use International System of Units (SI) units.
NotesExample: "C"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:EventAttributeValue
Term IRIhttp://rs.tdwg.org/dwc/terms/EventAttributeValue
Modified2009-04-24
LabelEvent Attribute
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/eventMeasurementValue
DefinitionThe value of the measurement or characteristic of the sampling event.
NotesExample: "22"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:eventDate
Term IRIhttp://rs.tdwg.org/dwc/terms/eventDate
Modified2020-08-12
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/eventDate-2020-08-12
LabelEvent Date
DefinitionThe date-time or interval during which an Event occurred. For occurrences, this is the date-time when the event was recorded. Not suitable for a time in a geological context.
NotesRecommended best practice is to use a date that conforms to ISO 8601-1:2019.
Examples`1963-03-08T14:07-0600` (8 Mar 1963 at 2:07pm in the time zone six hours earlier than UTC). `2009-02-20T08:40Z` (20 February 2009 8:40am UTC). `2018-08-29T15:19` (3:19pm local time on 29 August 2018). `1809-02-12` (some time during 12 February 1809). `1906-06` (some time in June 1906). `1971` (some time in the year 1971). `2007-03-01T13:00:00Z/2008-05-11T15:30:00Z` (some time during the interval between 1 March 2007 1pm UTC and 11 May 2008 3:30pm UTC). `1900/1909` (some time during the interval between the beginning of the year 1900 and the end of the year 1909). `2007-11-13/15` (some time in the interval between 13 November 2007 and 15 November 2007).
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:eventID
Term IRIhttp://rs.tdwg.org/dwc/terms/eventID
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/eventID-2017-10-06
LabelEvent ID
DefinitionAn identifier for the set of information associated with an Event (something that occurs at a place and time). May be a global unique identifier or an identifier specific to the data set.
Examples`INBO:VIS:Ev:00009375`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:EventMeasurement
Term IRIhttp://rs.tdwg.org/dwc/terms/EventMeasurement
Modified2009-10-09
LabelEvent Measurement
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/MeasurementOrFact
DefinitionThe category of information pertaining to measurements associated with an event.
TypeClass
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:eventMeasurementAccuracy
Term IRIhttp://rs.tdwg.org/dwc/terms/eventMeasurementAccuracy
Modified2009-10-09
LabelEvent Measurement Accuracy
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/measurementAccuracy
DefinitionThe description of the error associated with the EventAttributeValue.
NotesExample: "0.01", "normal distribution with variation of 2 m"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:eventMeasurementDeterminedBy
Term IRIhttp://rs.tdwg.org/dwc/terms/eventMeasurementDeterminedBy
Modified2009-10-09
LabelEvent Measurement Determined By
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/measurementDeterminedBy
DefinitionThe agent responsible for having determined the value of the measurement or characteristic of the event.
NotesExample: "Robert Hijmans"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:eventMeasurementDeterminedDate
Term IRIhttp://rs.tdwg.org/dwc/terms/eventMeasurementDeterminedDate
Modified2009-10-09
LabelEvent Measurement Determined Date
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/measurementDeterminedDate
DefinitionThe date on which the the measurement or characteristic of the event was made. Recommended best practice is to use an encoding scheme, such as ISO 8601:2004(E).
NotesExamples: "1963-03-08T14:07-0600" is 8 Mar 1963 2:07pm in the time zone six hours earlier than UTC, "2009-02-20T08:40Z" is 20 Feb 2009 8:40am UTC, "1809-02-12" is 12 Feb 1809, "1906-06" is Jun 1906, "1971" is just that year, "2007-03-01T13:00:00Z/2008-05-11T15:30:00Z" is the interval between 1 Mar 2007 1pm UTC and 11 May 2008 3:30pm UTC, "2007-11-13/15" is the interval between 13 Nov 2007 and 15 Nov 2007.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:eventMeasurementID
Term IRIhttp://rs.tdwg.org/dwc/terms/eventMeasurementID
Modified2009-10-09
LabelEvent Measurement ID
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/measurementID
DefinitionAn identifier for the event attribute. May be a global unique identifier or an identifier specific to the data set.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:eventMeasurementRemarks
Term IRIhttp://rs.tdwg.org/dwc/terms/eventMeasurementRemarks
Modified2009-10-09
LabelEvent Measurement Remarks
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/measurementRemarks
DefinitionComments or notes accompanying the measurement or characteristic of the event.
NotesExample: "temperature taken at 15:00"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:eventMeasurementType
Term IRIhttp://rs.tdwg.org/dwc/terms/eventMeasurementType
Modified2009-10-09
LabelEvent Measurement Type
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/measurementType
DefinitionThe nature of the measurement or characteristic of the event. Recommended best practice is to use a controlled vocabulary.
NotesExample: "temperature"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:eventMeasurementUnit
Term IRIhttp://rs.tdwg.org/dwc/terms/eventMeasurementUnit
Modified2009-10-09
LabelEvent Measurement Unit
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/measurementUnit
DefinitionThe units for the value of the measurement or characteristic of the event. Recommended best practice is to use International System of Units (SI) units.
NotesExample: "C"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:eventMeasurementValue
Term IRIhttp://rs.tdwg.org/dwc/terms/eventMeasurementValue
Modified2009-10-09
LabelEvent Measurement Value
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/measurementValue
DefinitionThe value of the measurement or characteristic of the event.
NotesExample: "22"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:eventRemarks
Term IRIhttp://rs.tdwg.org/dwc/terms/eventRemarks
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/eventRemarks-2017-10-06
LabelEvent Remarks
DefinitionComments or notes about the Event.
Examples`After the recent rains the river is nearly at flood stage.`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:eventTime
Term IRIhttp://rs.tdwg.org/dwc/terms/eventTime
Modified2020-08-12
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/eventTime-2020-08-12
LabelEvent Time
DefinitionThe time or interval during which an Event occurred.
NotesRecommended best practice is to use a date that conforms to ISO 8601-1:2019.
Examples`14:07-0600` (2:07pm in the time zone six hours earlier than UTC). `08:40:21Z` (8:40:21am UTC). `13:00:00Z/15:30:00Z` (the interval between 1pm UTC and 3:30pm UTC).
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:family
Term IRIhttp://rs.tdwg.org/dwc/terms/family
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/family-2017-10-06
LabelFamily
DefinitionThe full scientific name of the family in which the taxon is classified.
Examples`Felidae`, `Monocleaceae`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:fieldNotes
Term IRIhttp://rs.tdwg.org/dwc/terms/fieldNotes
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/fieldNotes-2017-10-06
LabelField Notes
DefinitionOne of a) an indicator of the existence of, b) a reference to (publication, URI), or c) the text of notes taken in the field about the Event.
Examples`Notes available in the Grinnell-Miller Library.`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:fieldNotes
Term IRIhttp://rs.tdwg.org/dwc/iri/fieldNotes
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/fieldNotes-2015-03-27
LabelField Notes (IRI)
DefinitionOne of a) an indicator of the existence of, b) a reference to (publication, URI), or c) the text of notes taken in the field about the Event.
NotesThe subject is a dwc:Event instance and the object is a (possibly IRI-identified) resource that is the field notes.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:fieldNumber
Term IRIhttp://rs.tdwg.org/dwc/terms/fieldNumber
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/fieldNumber-2017-10-06
LabelField Number
DefinitionAn identifier given to the event in the field. Often serves as a link between field notes and the Event.
Examples`RV Sol 87-03-08`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:fieldNumber
Term IRIhttp://rs.tdwg.org/dwc/iri/fieldNumber
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/fieldNumber-2015-03-27
LabelField Number (IRI)
DefinitionAn identifier given to the event in the field. Often serves as a link between field notes and the Event.
NotesThe subject is a (possibly IRI-identified) resource that is the field notes and the object is a dwc:Event instance.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:footprintSpatialFit
Term IRIhttp://rs.tdwg.org/dwc/terms/footprintSpatialFit
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/footprintSpatialFit-2017-10-06
LabelFootprint Spatial Fit
DefinitionThe ratio of the area of the footprint (footprintWKT) to the area of the true (original, or most specific) spatial representation of the Location. Legal values are 0, greater than or equal to 1, or undefined. A value of 1 is an exact match or 100% overlap. A value of 0 should be used if the given footprint does not completely contain the original representation. The footprintSpatialFit is undefined (and should be left blank) if the original representation is a point and the given georeference is not that same point. If both the original and the given georeference are the same point, the footprintSpatialFit is 1.
NotesDetailed explanations with graphical examples can be found in the Guide to Best Practices for Georeferencing, Chapman and Wieczorek, eds. 2006.
ExamplesDetailed explanations with graphical examples can be found in the Guide to Best Practices for Georeferencing, Chapman and Wieczorek, eds. 2006.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:footprintSRS
Term IRIhttp://rs.tdwg.org/dwc/terms/footprintSRS
Modified2018-09-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/footprintSRS-2018-09-06
LabelFootprint SRS
DefinitionA Well-Known Text (WKT) representation of the Spatial Reference System (SRS) for the footprintWKT of the Location. Do not use this term to describe the SRS of the decimalLatitude and decimalLongitude, even if it is the same as for the footprintWKT - use the geodeticDatum instead.
Examples`GEOGCS["GCS_WGS_1984", DATUM["D_WGS_1984", SPHEROID["WGS_1984",6378137,298.257223563]], PRIMEM["Greenwich",0], UNIT["Degree",0.0174532925199433]]` (WKT for the standard WGS84 Spatial Reference System EPSG:4326).
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:footprintSRS
Term IRIhttp://rs.tdwg.org/dwc/iri/footprintSRS
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/footprintSRS-2015-03-27
LabelFootprint SRS (IRI)
DefinitionA Well-Known Text (WKT) representation of the Spatial Reference System (SRS) for the footprintWKT of the Location. Do not use this term to describe the SRS of the decimalLatitude and decimalLongitude, even if it is the same as for the footprintWKT - use the geodeticDatum instead.
NotesTerms in the dwciri namespace are intended to be used in RDF with non-literal objects.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:footprintWKT
Term IRIhttp://rs.tdwg.org/dwc/iri/footprintWKT
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/footprintWKT-2015-03-27
LabelFootprint WKT (IRI)
DefinitionA Well-Known Text (WKT) representation of the shape (footprint, geometry) that defines the Location. A Location may have both a point-radius representation (see decimalLatitude) and a footprint representation, and they may differ from each other.
NotesTerms in the dwciri namespace are intended to be used in RDF with non-literal objects.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:footprintWKT
Term IRIhttp://rs.tdwg.org/dwc/terms/footprintWKT
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/footprintWKT-2017-10-06
LabelFootprint WKT
DefinitionA Well-Known Text (WKT) representation of the shape (footprint, geometry) that defines the Location. A Location may have both a point-radius representation (see decimalLatitude) and a footprint representation, and they may differ from each other.
Examples`POLYGON ((10 20, 11 20, 11 21, 10 21, 10 20))` (the one-degree bounding box with opposite corners at longitude=10, latitude=20 and longitude=11, latitude=21)
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:formation
Term IRIhttp://rs.tdwg.org/dwc/terms/formation
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/formation-2017-10-06
LabelFormation
DefinitionThe full name of the lithostratigraphic formation from which the cataloged item was collected.
Examples`Notch Peak Formation`, `House Limestone`, `Fillmore Formation`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:FossilSpecimen
Term IRIhttp://rs.tdwg.org/dwc/terms/FossilSpecimen
Modified2018-09-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/FossilSpecimen-2018-09-06
LabelFossil Specimen
DefinitionA preserved specimen that is a fossil.
ExamplesA body fossil. A coprolite. A gastrolith. An ichnofossil. A piece of a petrified tree.
TypeClass
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-26_15
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:fromLithostratigraphicUnit
Term IRIhttp://rs.tdwg.org/dwc/iri/fromLithostratigraphicUnit
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/fromLithostratigraphicUnit-2015-03-27
LabelFrom Lithostratigraphic Unit
DefinitionUse to link a dwc:GeologicalContext instance to an IRI-identified lithostratigraphic unit at the lowest possible level in a hierarchy.
NotesRecommended best practice is to use an IRI from a controlled vocabulary. A "convenience property" that replaces Darwin Core literal-value terms related to geological context. See Section 2.7.7 of the Darwin Core RDF Guide for details.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:Generalizations
Term IRIhttp://rs.tdwg.org/dwc/terms/Generalizations
Modified2009-04-24
LabelGeneralizations
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/dataGeneralizations
DefinitionActions taken to make the data as shared less specific or complete than in its original form. Suggests that alternative data of highly quality may be available on request.
NotesExamples: "Coordinates generalized from original GPS coordinates to the nearest half degree grid cell", "locality information given only to nearest county".
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:genus
Term IRIhttp://rs.tdwg.org/dwc/terms/genus
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/genus-2017-10-06
LabelGenus
DefinitionThe full scientific name of the genus in which the taxon is classified.
Examples`Puma`, `Monoclea`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:geodeticDatum
Term IRIhttp://rs.tdwg.org/dwc/iri/geodeticDatum
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/geodeticDatum-2015-03-27
LabelGeodetic Datum (IRI)
DefinitionThe ellipsoid, geodetic datum, or spatial reference system (SRS) upon which the geographic coordinates given in decimalLatitude and decimalLongitude as based.
NotesRecommended best practice is to use an IRI for the EPSG code of the SRS, if known. Otherwise use an IRI or controlled vocabulary for the name or code of the geodetic datum, if known. Otherwise use an IRI or controlled vocabulary for the name or code of the ellipsoid, if known. If none of these is known, use the value `unknown`.
Examples`https://epsg.io/4326`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:geodeticDatum
Term IRIhttp://rs.tdwg.org/dwc/terms/geodeticDatum
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/geodeticDatum-2017-10-06
LabelGeodetic Datum
DefinitionThe ellipsoid, geodetic datum, or spatial reference system (SRS) upon which the geographic coordinates given in decimalLatitude and decimalLongitude as based.
NotesRecommended best practice is to use the EPSG code of the SRS, if known. Otherwise use a controlled vocabulary for the name or code of the geodetic datum, if known. Otherwise use a controlled vocabulary for the name or code of the ellipsoid, if known. If none of these is known, use the value `unknown`.
Examples`EPSG:4326`, `WGS84`, `NAD27`, `Campo Inchauspe`, `European 1950`, `Clarke 1866`, `unknown`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:GeologicalContext
Term IRIhttp://rs.tdwg.org/dwc/terms/GeologicalContext
Modified2018-09-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/GeologicalContext-2018-09-06
LabelGeological Context
DefinitionGeological information, such as stratigraphy, that qualifies a region or place.
ExamplesA lithostratigraphic layer.
TypeClass
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-26_15
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:geologicalContextID
Term IRIhttp://rs.tdwg.org/dwc/terms/geologicalContextID
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/geologicalContextID-2017-10-06
LabelGeological Context ID
DefinitionAn identifier for the set of information associated with a GeologicalContext (the location within a geological context, such as stratigraphy). May be a global unique identifier or an identifier specific to the data set.
Examples`https://opencontext.org/subjects/e54377f7-4452-4315-b676-40679b10c4d9`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:georeferencedBy
Term IRIhttp://rs.tdwg.org/dwc/terms/georeferencedBy
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/georeferencedBy-2017-10-06
LabelGeoreferenced By
DefinitionA list (concatenated and separated) of names of people, groups, or organizations who determined the georeference (spatial representation) for the Location.
NotesRecommended best practice is to separate the values in a list with space vertical bar space (` | `).
Examples`Brad Millen (ROM)`, `Kristina Yamamoto | Janet Fang`
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-30_16
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:georeferencedBy
Term IRIhttp://rs.tdwg.org/dwc/iri/georeferencedBy
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/georeferencedBy-2015-03-27
LabelGeoreferenced By (IRI)
DefinitionA person, group, or organization who determined the georeference (spatial representation) for the Location.
NotesTerms in the dwciri namespace are intended to be used in RDF with non-literal objects.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:georeferencedDate
Term IRIhttp://rs.tdwg.org/dwc/terms/georeferencedDate
Modified2020-08-12
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/georeferencedDate-2020-08-12
LabelGeoreferenced Date
DefinitionThe date on which the Location was georeferenced.
NotesRecommended best practice is to use a date that conforms to ISO 8601-1:2019.
Examples`1963-03-08T14:07-0600` (8 Mar 1963 at 2:07pm in the time zone six hours earlier than UTC). `2009-02-20T08:40Z` (20 February 2009 8:40am UTC). `2018-08-29T15:19` (3:19pm local time on 29 August 2018). `1809-02-12` (some time during 12 February 1809). `1906-06` (some time in June 1906). `1971` (some time in the year 1971). `2007-03-01T13:00:00Z/2008-05-11T15:30:00Z` (some time during the interval between 1 March 2007 1pm UTC and 11 May 2008 3:30pm UTC). `1900/1909` (some time during the interval between the beginning of the year 1900 and the end of the year 1909). `2007-11-13/15` (some time in the interval between 13 November 2007 and 15 November 2007).
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2011-10-16_9
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:georeferenceProtocol
Term IRIhttp://rs.tdwg.org/dwc/terms/georeferenceProtocol
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/georeferenceProtocol-2017-10-06
LabelGeoreference Protocol
DefinitionA description or reference to the methods used to determine the spatial footprint, coordinates, and uncertainties.
Examples`Guide to Best Practices for Georeferencing. (Chapman and Wieczorek, eds. 2006). Global Biodiversity Information Facility.`, `MaNIS/HerpNet/ORNIS Georeferencing Guidelines`, `Georeferencing Quick Reference Guide`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:georeferenceProtocol
Term IRIhttp://rs.tdwg.org/dwc/iri/georeferenceProtocol
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/georeferenceProtocol-2015-03-27
LabelGeoreference Protocol (IRI)
DefinitionA description or reference to the methods used to determine the spatial footprint, coordinates, and uncertainties.
NotesTerms in the dwciri namespace are intended to be used in RDF with non-literal objects.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:georeferenceRemarks
Term IRIhttp://rs.tdwg.org/dwc/terms/georeferenceRemarks
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/georeferenceRemarks-2017-10-06
LabelGeoreference Remarks
DefinitionNotes or comments about the spatial description determination, explaining assumptions made in addition or opposition to the those formalized in the method referred to in georeferenceProtocol.
Examples`Assumed distance by road (Hwy. 101)`.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:georeferenceSources
Term IRIhttp://rs.tdwg.org/dwc/terms/georeferenceSources
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/georeferenceSources-2017-10-06
LabelGeoreference Sources
DefinitionA list (concatenated and separated) of maps, gazetteers, or other resources used to georeference the Location, described specifically enough to allow anyone in the future to use the same resources.
NotesRecommended best practice is to separate the values in a list with space vertical bar space (` | `).
Examples`https://www.geonames.org/`, `USGS 1:24000 Florence Montana Quad | Terrametrics 2008 on Google Earth`, `GeoLocate`
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-30_16
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:georeferenceSources
Term IRIhttp://rs.tdwg.org/dwc/iri/georeferenceSources
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/georeferenceSources-2015-03-27
LabelGeoreference Sources (IRI)
DefinitionA map, gazetteer, or other resource used to georeference the Location.
NotesTerms in the dwciri namespace are intended to be used in RDF with non-literal objects.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:georeferenceVerificationStatus
Term IRIhttp://rs.tdwg.org/dwc/terms/georeferenceVerificationStatus
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/georeferenceVerificationStatus-2017-10-06
LabelGeoreference Verification Status
DefinitionA categorical description of the extent to which the georeference has been verified to represent the best possible spatial description.
NotesRecommended best practice is to use a controlled vocabulary.
Examples`requires verification`, `verified by collector`, `verified by curator`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:georeferenceVerificationStatus
Term IRIhttp://rs.tdwg.org/dwc/iri/georeferenceVerificationStatus
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/georeferenceVerificationStatus-2015-03-27
LabelGeoreference Verification Status (IRI)
DefinitionA categorical description of the extent to which the georeference has been verified to represent the best possible spatial description.
NotesRecommended best practice is to use a controlled vocabulary. Terms in the dwciri namespace are intended to be used in RDF with non-literal objects.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:group
Term IRIhttp://rs.tdwg.org/dwc/terms/group
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/group-2017-10-06
LabelGroup
DefinitionThe full name of the lithostratigraphic group from which the cataloged item was collected.
Examples`Bathurst`, `Lower Wealden`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:habitat
Term IRIhttp://rs.tdwg.org/dwc/iri/habitat
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/habitat-2015-03-27
LabelHabitat (IRI)
DefinitionA category or description of the habitat in which the Event occurred.
NotesTerms in the dwciri namespace are intended to be used in RDF with non-literal objects.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:habitat
Term IRIhttp://rs.tdwg.org/dwc/terms/habitat
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/habitat-2017-10-06
LabelHabitat
DefinitionA category or description of the habitat in which the Event occurred.
Examples`oak savanna`, `pre-cordilleran steppe`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:higherClassification
Term IRIhttp://rs.tdwg.org/dwc/terms/higherClassification
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/higherClassification-2017-10-06
LabelHigher Classification
DefinitionA list (concatenated and separated) of taxa names terminating at the rank immediately superior to the taxon referenced in the taxon record.
NotesRecommended best practice is to separate the values in a list with space vertical bar space (` | `), with terms in order from the highest taxonomic rank to the lowest.
Examples`Plantae | Tracheophyta | Magnoliopsida | Ranunculales | Ranunculaceae | Ranunculus`, `Animalia`, `Animalia | Chordata | Vertebrata | Mammalia | Theria | Eutheria | Rodentia | Hystricognatha | Hystricognathi | Ctenomyidae | Ctenomyini | Ctenomys`
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-30_16
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:higherGeography
Term IRIhttp://rs.tdwg.org/dwc/terms/higherGeography
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/higherGeography-2017-10-06
LabelHigher Geography
DefinitionA list (concatenated and separated) of geographic names less specific than the information captured in the locality term.
NotesRecommended best practice is to separate the values in a list with space vertical bar space (` | `), with terms in order from least specific to most specific.
Examples`North Atlantic Ocean`. `South America | Argentina | Patagonia | Parque Nacional Nahuel Huapi | Neuquén | Los Lagos` (with accompanying values `South America` in continent, `Argentina` in country, `Neuquén` in stateProvince, and `Los Lagos` in county.
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-30_16
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:higherGeographyID
Term IRIhttp://rs.tdwg.org/dwc/terms/higherGeographyID
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/higherGeographyID-2017-10-06
LabelHigher Geography ID
DefinitionAn identifier for the geographic region within which the Location occurred.
NotesRecommended best practice is to use a persistent identifier from a controlled vocabulary such as the Getty Thesaurus of Geographic Names.
Examples`http://vocab.getty.edu/tgn/1002002` (Antártida e Islas del Atlántico Sur, Territorio Nacional de la Tierra del Fuego, Argentina).
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:HigherTaxon
Term IRIhttp://rs.tdwg.org/dwc/terms/HigherTaxon
Modified2009-08-24
LabelHigher Taxon
This term is deprecated and should no longer be used.
DefinitionA list (concatenated and separated) of the names for the taxonomic ranks less specific than the ScientificName.
NotesExample: "Animalia, Chordata, Vertebrata, Mammalia, Theria, Eutheria, Rodentia, Hystricognatha, Hystricognathi, Ctenomyidae, Ctenomyini, Ctenomys".
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:higherTaxonconceptID
Term IRIhttp://rs.tdwg.org/dwc/terms/higherTaxonconceptID
Modified2009-08-24
LabelHigher Taxon Concept ID
This term is deprecated and should no longer be used.
DefinitionA unique identifier for the taxon concept less specific than that given in the taxonConceptID.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:HigherTaxonID
Term IRIhttp://rs.tdwg.org/dwc/terms/HigherTaxonID
Modified2009-08-24
LabelHigher Taxon ID
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/higherTaxonNameID
DefinitionA global unique identifier for the parent to the taxon.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:higherTaxonName
Term IRIhttp://rs.tdwg.org/dwc/terms/higherTaxonName
Modified2009-08-24
LabelHigher Taxon Name
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/higherClassification
DefinitionA list (concatenated and separated) of the names for the taxonomic ranks less specific than that given in the scientificName.
NotesExample: "Animalia; Chordata; Vertebrata; Mammalia; Theria; Eutheria; Rodentia; Hystricognatha; Hystricognathi; Ctenomyidae; Ctenomyini; Ctenomys"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:higherTaxonNameID
Term IRIhttp://rs.tdwg.org/dwc/terms/higherTaxonNameID
Modified2009-08-24
LabelHigher Taxon Name ID
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/parentNameUsageID
DefinitionA unique identifier for the name of the next higher rank than the scientificName in a taxonomic classification. See higherTaxonName.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:highestBiostratigraphicZone
Term IRIhttp://rs.tdwg.org/dwc/terms/highestBiostratigraphicZone
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/highestBiostratigraphicZone-2017-10-06
LabelHighest Biostratigraphic Zone
DefinitionThe full name of the highest possible geological biostratigraphic zone of the stratigraphic horizon from which the cataloged item was collected.
Examples`Blancan`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:HumanObservation
Term IRIhttp://rs.tdwg.org/dwc/terms/HumanObservation
Modified2018-09-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/HumanObservation-2018-09-06
LabelHuman Observation
DefinitionAn output of a human observation process.
ExamplesEvidence of an Occurrence taken from field notes or literature. A record of an Occurrence without physical evidence nor evidence captured with a machine.
TypeClass
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-26_15
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:Identification
Term IRIhttp://rs.tdwg.org/dwc/terms/Identification
Modified2018-09-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/Identification-2018-09-06
LabelIdentification
DefinitionA taxonomic determination (e.g., the assignment to a taxon).
ExamplesA subspecies determination of an organism.
TypeClass
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-26_15
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:identificationAttributes
Term IRIhttp://rs.tdwg.org/dwc/terms/identificationAttributes
Modified2009-10-09
LabelIdentification Attributes
This term is deprecated and should no longer be used.
DefinitionA list (concatenated and separated) of additional measurements, facts, characteristics, or assertions about the Identification.
NotesExample: "natureOfID=expert identification; identificationEvidence=cytochrome B sequence"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:identificationID
Term IRIhttp://rs.tdwg.org/dwc/terms/identificationID
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/identificationID-2017-10-06
LabelIdentification ID
DefinitionAn identifier for the Identification (the body of information associated with the assignment of a scientific name). May be a global unique identifier or an identifier specific to the data set.
Examples`9992`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:identificationQualifier
Term IRIhttp://rs.tdwg.org/dwc/terms/identificationQualifier
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/identificationQualifier-2017-10-06
LabelIdentification Qualifier
DefinitionA brief phrase or a standard term ("cf.", "aff.") to express the determiner's doubts about the Identification.
Examples`aff. agrifolia var. oxyadenia` (for `Quercus aff. agrifolia var. oxyadenia` with accompanying values `Quercus` in genus, `agrifolia` in specificEpithet, `oxyadenia` in infraspecificEpithet, and `var.` in taxonRank. `cf. var. oxyadenia` for `Quercus agrifolia cf. var. oxyadenia` with accompanying values `Quercus` in genus, `agrifolia` in specificEpithet, `oxyadenia` in infraspecificEpithet, and `var.` in taxonRank.
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2019-12-01_19
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:identificationQualifier
Term IRIhttp://rs.tdwg.org/dwc/iri/identificationQualifier
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/identificationQualifier-2015-03-27
LabelIdentification Qualifier (IRI)
DefinitionA controlled value to express the determiner's doubts about the Identification.
NotesTerms in the dwciri namespace are intended to be used in RDF with non-literal objects.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:identificationReferences
Term IRIhttp://rs.tdwg.org/dwc/terms/identificationReferences
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/identificationReferences-2017-10-06
LabelIdentification References
DefinitionA list (concatenated and separated) of references (publication, global unique identifier, URI) used in the Identification.
NotesRecommended best practice is to separate the values in a list with space vertical bar space (` | `).
Examples`Aves del Noroeste Patagonico. Christie et al. 2004.`, `Stebbins, R. Field Guide to Western Reptiles and Amphibians. 3rd Edition. 2003. | Irschick, D.J. and Shaffer, H.B. (1997). The polytypic species revisited: Morphological differentiation among tiger salamanders (Ambystoma tigrinum) (Amphibia: Caudata). Herpetologica, 53(1), 30-49.`
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-30_16
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:identificationRemarks
Term IRIhttp://rs.tdwg.org/dwc/terms/identificationRemarks
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/identificationRemarks-2017-10-06
LabelIdentification Remarks
DefinitionComments or notes about the Identification.
Examples`Distinguished between Anthus correndera and Anthus hellmayri based on the comparative lengths of the uñas.`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:identificationVerificationStatus
Term IRIhttp://rs.tdwg.org/dwc/iri/identificationVerificationStatus
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/identificationVerificationStatus-2015-03-27
LabelIdentification Verification Status (IRI)
DefinitionA categorical indicator of the extent to which the taxonomic identification has been verified to be correct.
NotesTerms in the dwciri namespace are intended to be used in RDF with non-literal objects. Recommended best practice is to use a controlled vocabulary such as that used in HISPID and ABCD.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:identificationVerificationStatus
Term IRIhttp://rs.tdwg.org/dwc/terms/identificationVerificationStatus
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/identificationVerificationStatus-2017-10-06
LabelIdentification Verification Status
DefinitionA categorical indicator of the extent to which the taxonomic identification has been verified to be correct.
NotesRecommended best practice is to use a controlled vocabulary such as that used in HISPID and ABCD.
Examples`0` ("unverified" in HISPID/ABCD).
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2011-10-16_10
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:identifiedBy
Term IRIhttp://rs.tdwg.org/dwc/terms/identifiedBy
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/identifiedBy-2017-10-06
LabelIdentified By
DefinitionA list (concatenated and separated) of names of people, groups, or organizations who assigned the Taxon to the subject.
NotesRecommended best practice is to separate the values in a list with space vertical bar space (` | `).
Examples`James L. Patton`, `Theodore Pappenfuss | Robert Macey`
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-30_16
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2019-12-01_19
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:identifiedBy
Term IRIhttp://rs.tdwg.org/dwc/iri/identifiedBy
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/identifiedBy-2015-03-27
LabelIdentified By (IRI)
DefinitionA person, group, or organization who assigned the Taxon to the subject.
NotesTerms in the dwciri namespace are intended to be used in RDF with non-literal objects.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:inCollection
Term IRIhttp://rs.tdwg.org/dwc/iri/inCollection
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/inCollection-2015-03-27
LabelIn Collection
DefinitionUse to link any subject resource that is part of a collection to the collection containing the resource.
NotesRecommended best practice is to use an IRI from a controlled registry. A "convenience property" that replaces literal-value terms related to collections and institutions. See Section 2.7.3 of the Darwin Core RDF Guide for details.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:inDataset
Term IRIhttp://rs.tdwg.org/dwc/iri/inDataset
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/inDataset-2015-03-27
LabelIn Dataset
DefinitionUse to link a subject dataset record to the dataset which contains it.
NotesA string literal name of the dataset can be provided using the term dwc:datasetName. See the Darwin Core RDF Guide for details.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:inDescribedPlace
Term IRIhttp://rs.tdwg.org/dwc/iri/inDescribedPlace
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/inDescribedPlace-2015-03-27
LabelIn Described Place
DefinitionUse to link a dcterms:Location instance subject to the lowest level standardized hierarchically-described resource.
NotesRecommended best practice is to use an IRI from a controlled registry. A "convenience property" that replaces Darwin Core literal-value terms related to locations. See Section 2.7.5 of the Darwin Core RDF Guide for details.
Examples`http://vocab.getty.edu/tgn/1019987`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:individualCount
Term IRIhttp://rs.tdwg.org/dwc/terms/individualCount
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/individualCount-2017-10-06
LabelIndividual Count
DefinitionThe number of individuals represented present at the time of the Occurrence.
Examples`0`, `1`, `25`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:individualID
Term IRIhttp://rs.tdwg.org/dwc/terms/individualID
Modified2014-10-23
LabelIndividual ID
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/organismID
DefinitionAn identifier for an individual or named group of individual organisms represented in the Occurrence. Meant to accommodate resampling of the same individual or group for monitoring purposes. May be a global unique identifier or an identifier specific to a data set.
NotesExamples: "U.amer. 44", "Smedley", "Orca J 23"
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-26_14
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-30_16
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:informationWithheld
Term IRIhttp://rs.tdwg.org/dwc/iri/informationWithheld
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/informationWithheld-2015-03-27
LabelInformation Withheld (IRI)
DefinitionAdditional information that exists, but that has not been shared in the given record.
NotesTerms in the dwciri namespace are intended to be used in RDF with non-literal objects.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:informationWithheld
Term IRIhttp://rs.tdwg.org/dwc/terms/informationWithheld
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/informationWithheld-2017-10-06
LabelInformation Withheld
DefinitionAdditional information that exists, but that has not been shared in the given record.
Examples`location information not given for endangered species`, `collector identities withheld | ask about tissue samples`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:infraspecificEpithet
Term IRIhttp://rs.tdwg.org/dwc/terms/infraspecificEpithet
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/infraspecificEpithet-2017-10-06
LabelInfraspecific Epithet
DefinitionThe name of the lowest or terminal infraspecific epithet of the scientificName, excluding any rank designation.
Examples`concolor`, `oxyadenia`, `sayi`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:institutionCode
Term IRIhttp://rs.tdwg.org/dwc/terms/institutionCode
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/institutionCode-2017-10-06
LabelInstitution Code
DefinitionThe name (or acronym) in use by the institution having custody of the object(s) or information referred to in the record.
Examples`MVZ`, `FMNH`, `CLO`, `UCMP`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:institutionID
Term IRIhttp://rs.tdwg.org/dwc/terms/institutionID
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/institutionID-2017-10-06
LabelInstitution ID
DefinitionAn identifier for the institution having custody of the object(s) or information referred to in the record.
NotesFor physical specimens, the recommended best practice is to use an identifier from a collections registry such as the Global Registry of Biodiversity Repositories (http://grbio.org/).
Examples`http://biocol.org/urn:lsid:biocol.org:col:34777`, `http://grbio.org/cool/km06-gtbn`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:island
Term IRIhttp://rs.tdwg.org/dwc/terms/island
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/island-2017-10-06
LabelIsland
DefinitionThe name of the island on or near which the Location occurs.
NotesRecommended best practice is to use a controlled vocabulary such as the Getty Thesaurus of Geographic Names.
Examples`Nosy Be`, `Bikini Atoll`, `Vancouver`, `Viti Levu`, `Zanzibar`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:islandGroup
Term IRIhttp://rs.tdwg.org/dwc/terms/islandGroup
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/islandGroup-2017-10-06
LabelIsland Group
DefinitionThe name of the island group in which the Location occurs.
NotesRecommended best practice is to use a controlled vocabulary such as the Getty Thesaurus of Geographic Names.
Examples`Alexander Archipelago`, `Archipiélago Diego Ramírez`, `Seychelles`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:kingdom
Term IRIhttp://rs.tdwg.org/dwc/terms/kingdom
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/kingdom-2017-10-06
LabelKingdom
DefinitionThe full scientific name of the kingdom in which the taxon is classified.
Examples`Animalia`, `Archaea`, `Bacteria`, `Chromista`, `Fungi`, `Plantae`, `Protozoa`, `Viruses`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dc:language
Term IRIhttp://purl.org/dc/elements/1.1/language
Modified2008-01-14
Term version IRIhttp://dublincore.org/usage/terms/history/#language-007
LabelLanguage
DefinitionA language of the resource.
NotesRecommended best practice is to use a controlled vocabulary such as RFC 4646.
Examples`en` (for English), `es` (for Spanish)
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2019-12-01_19
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dcterms:language
Term IRIhttp://purl.org/dc/terms/language
Modified2008-01-14
Term version IRIhttp://dublincore.org/usage/terms/history/#languageT-001
LabelLanguage
DefinitionA language of the resource.
NotesRecommended best practice is to use an IRI from the Library of Congress ISO 639-2 scheme http://id.loc.gov/vocabulary/iso639-2
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2019-12-01_19
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:latestAgeOrHighestStage
Term IRIhttp://rs.tdwg.org/dwc/terms/latestAgeOrHighestStage
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/latestAgeOrHighestStage-2017-10-06
LabelLatest AgeOr Highest Stage
DefinitionThe full name of the latest possible geochronologic age or highest chronostratigraphic stage attributable to the stratigraphic horizon from which the cataloged item was collected.
Examples`Atlantic`, `Boreal`, `Skullrockian`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:LatestDateCollected
Term IRIhttp://rs.tdwg.org/dwc/terms/LatestDateCollected
Modified2009-04-24
LabelLatest Date Collected
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/eventDate
DefinitionThe latest date-time in a period during which a event occurred. If the event is recorded as occurring at a single date-time, populate both EarliestDateCollected and LatestDateCollected with the same value. Recommended best practice is to use an encoding scheme, such as ISO 8601:2004(E).
NotesDate may be used to express temporal information at any level of granularity. Recommended best practice is to use an encoding scheme, such as the W3CDTF profile of ISO 8601 [W3CDTF].
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:latestEonOrHighestEonothem
Term IRIhttp://rs.tdwg.org/dwc/terms/latestEonOrHighestEonothem
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/latestEonOrHighestEonothem-2017-10-06
LabelLatest Eon Or Highest Eonothem
DefinitionThe full name of the latest possible geochronologic eon or highest chrono-stratigraphic eonothem or the informal name ("Precambrian") attributable to the stratigraphic horizon from which the cataloged item was collected.
Examples`Phanerozoic`, `Proterozoic`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:latestEpochOrHighestSeries
Term IRIhttp://rs.tdwg.org/dwc/terms/latestEpochOrHighestSeries
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/latestEpochOrHighestSeries-2017-10-06
LabelLatest Epoch Or Highest Series
DefinitionThe full name of the latest possible geochronologic epoch or highest chronostratigraphic series attributable to the stratigraphic horizon from which the cataloged item was collected.
Examples`Holocene`, `Pleistocene`, `Ibexian Series`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:latestEraOrHighestErathem
Term IRIhttp://rs.tdwg.org/dwc/terms/latestEraOrHighestErathem
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/latestEraOrHighestErathem-2017-10-06
LabelLatest Era Or Highest Erathem
DefinitionThe full name of the latest possible geochronologic era or highest chronostratigraphic erathem attributable to the stratigraphic horizon from which the cataloged item was collected.
Examples`Cenozoic`, `Mesozoic`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:latestGeochronologicalEra
Term IRIhttp://rs.tdwg.org/dwc/iri/latestGeochronologicalEra
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/latestGeochronologicalEra-2015-03-27
LabelLatest Geochronological Era
DefinitionUse to link a dwc:GeologicalContext instance to chronostratigraphic time periods at the lowest possible level in a standardized hierarchy. Use this property to point to the latest possible geological time period from which the cataloged item was collected.
NotesRecommended best practice is to use an IRI from a controlled vocabulary. A "convenience property" that replaces Darwin Core literal-value terms related to geological context. See Section 2.7.6 of the Darwin Core RDF Guide for details.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:latestPeriodOrHighestSystem
Term IRIhttp://rs.tdwg.org/dwc/terms/latestPeriodOrHighestSystem
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/latestPeriodOrHighestSystem-2017-10-06
LabelLatest Period Or Highest System
DefinitionThe full name of the latest possible geochronologic period or highest chronostratigraphic system attributable to the stratigraphic horizon from which the cataloged item was collected.
Examples`Neogene`, `Tertiary`, `Quaternary`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dcterms:license
Term IRIhttp://purl.org/dc/terms/license
Modified2008-01-14
Term version IRIhttp://dublincore.org/usage/terms/history/#license-002
LabelLicense
DefinitionA legal document giving official permission to do something with the resource.
Examples`http://creativecommons.org/publicdomain/zero/1.0/legalcode`, `http://creativecommons.org/licenses/by/4.0/legalcode`
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-11-06_17
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:lifeStage
Term IRIhttp://rs.tdwg.org/dwc/iri/lifeStage
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/lifeStage-2015-03-27
LabelLife Stage (IRI)
DefinitionThe age class or life stage of the biological individual(s) at the time the Occurrence was recorded.
NotesRecommended best practice is to use a controlled vocabulary. Terms in the dwciri namespace are intended to be used in RDF with non-literal objects.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:lifeStage
Term IRIhttp://rs.tdwg.org/dwc/terms/lifeStage
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/lifeStage-2017-10-06
LabelLife Stage
DefinitionThe age class or life stage of the biological individual(s) at the time the Occurrence was recorded.
NotesRecommended best practice is to use a controlled vocabulary.
Examples`egg`, `eft`, `juvenile`, `adult`
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2019-12-01_19
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:lithostratigraphicTerms
Term IRIhttp://rs.tdwg.org/dwc/terms/lithostratigraphicTerms
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/lithostratigraphicTerms-2017-10-06
LabelLithostratigraphic Terms
DefinitionThe combination of all litho-stratigraphic names for the rock from which the cataloged item was collected.
Examples`Pleistocene-Weichselien`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:LivingSpecimen
Term IRIhttp://rs.tdwg.org/dwc/terms/LivingSpecimen
Modified2018-09-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/LivingSpecimen-2018-09-06
LabelLiving Specimen
DefinitionA specimen that is alive.
ExamplesA living plant in a botanical garden. A living animal in a zoo.
TypeClass
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-26_15
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:locality
Term IRIhttp://rs.tdwg.org/dwc/terms/locality
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/locality-2017-10-06
LabelLocality
DefinitionThe specific description of the place. Less specific geographic information can be provided in other geographic terms (higherGeography, continent, country, stateProvince, county, municipality, waterBody, island, islandGroup). This term may contain information modified from the original to correct perceived errors or standardize the description.
Examples`Bariloche, 25 km NNE via Ruta Nacional 40 (=Ruta 237)`.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dcterms:Location
Term IRIhttp://purl.org/dc/terms/Location
Modified2008-01-14
Term version IRIhttp://dublincore.org/usage/terms/history/#Location-001
LabelLocation
DefinitionA spatial region or named place.
ExamplesThe municipality of San Carlos de Bariloche, Río Negro, Argentina. The place defined by a georeference.
TypeClass
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:locationAccordingTo
Term IRIhttp://rs.tdwg.org/dwc/terms/locationAccordingTo
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/locationAccordingTo-2017-10-06
LabelLocation According To
DefinitionInformation about the source of this Location information. Could be a publication (gazetteer), institution, or team of individuals.
Examples`Getty Thesaurus of Geographic Names`, `GADM`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:locationAccordingTo
Term IRIhttp://rs.tdwg.org/dwc/iri/locationAccordingTo
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/locationAccordingTo-2015-03-27
LabelLocation According To (IRI)
DefinitionInformation about the source of this Location information. Could be a publication (gazetteer), institution, or team of individuals.
NotesTerms in the dwciri namespace are intended to be used in RDF with non-literal objects.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:locationAttributes
Term IRIhttp://rs.tdwg.org/dwc/terms/locationAttributes
Modified2014-10-23
LabelLocation Attributes
This term is deprecated and should no longer be used.
DefinitionA list (concatenated and separated) of additional measurements, facts, characteristics, or assertions about the location.
NotesExample: "aspectheading=277; slopeindegrees=6"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:locationID
Term IRIhttp://rs.tdwg.org/dwc/terms/locationID
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/locationID-2017-10-06
LabelLocation ID
DefinitionAn identifier for the set of location information (data associated with dcterms:Location). May be a global unique identifier or an identifier specific to the data set.
Examples`https://opencontext.org/subjects/768A875F-E205-4D0B-DE55-BAB7598D0FD1`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:locationRemarks
Term IRIhttp://rs.tdwg.org/dwc/terms/locationRemarks
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/locationRemarks-2017-10-06
LabelLocation Remarks
DefinitionComments or notes about the Location.
Examples`under water since 2005`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:lowestBiostratigraphicZone
Term IRIhttp://rs.tdwg.org/dwc/terms/lowestBiostratigraphicZone
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/lowestBiostratigraphicZone-2017-10-06
LabelLowest Biostratigraphic Zone
DefinitionThe full name of the lowest possible geological biostratigraphic zone of the stratigraphic horizon from which the cataloged item was collected.
Examples`Maastrichtian`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:MachineObservation
Term IRIhttp://rs.tdwg.org/dwc/terms/MachineObservation
Modified2018-09-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/MachineObservation-2018-09-06
LabelMachine Observation
DefinitionAn output of a machine observation process.
ExamplesA photograph. A video. An audio recording. A remote sensing image. A Occurrence record based on telemetry.
TypeClass
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-26_15
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:MaterialSample
Term IRIhttp://rs.tdwg.org/dwc/terms/MaterialSample
Modified2018-09-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/MaterialSample-2018-09-06
LabelMaterial Sample
DefinitionA physical result of a sampling (or subsampling) event. In biological collections, the material sample is typically collected, and either preserved or destructively processed.
ExamplesA whole organism preserved in a collection. A part of an organism isolated for some purpose. A soil sample. A marine microbial sample.
TypeClass
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2013-10-09_11
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-26_15
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:materialSampleID
Term IRIhttp://rs.tdwg.org/dwc/terms/materialSampleID
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/materialSampleID-2017-10-06
LabelMaterial Sample ID
DefinitionAn identifier for the MaterialSample (as opposed to a particular digital record of the material sample). In the absence of a persistent global unique identifier, construct one from a combination of identifiers in the record that will most closely make the materialSampleID globally unique.
Examples`06809dc5-f143-459a-be1a-6f03e63fc083`
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2013-10-09_13
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:maximumDepthInMeters
Term IRIhttp://rs.tdwg.org/dwc/terms/maximumDepthInMeters
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/maximumDepthInMeters-2017-10-06
LabelMaximum Depth In Meters
DefinitionThe greater depth of a range of depth below the local surface, in meters.
Examples`0`, `200`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:maximumDistanceAboveSurfaceInMeters
Term IRIhttp://rs.tdwg.org/dwc/terms/maximumDistanceAboveSurfaceInMeters
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/maximumDistanceAboveSurfaceInMeters-2017-10-06
LabelMaximum Distance Above Surface In Meters
DefinitionThe greater distance in a range of distance from a reference surface in the vertical direction, in meters. Use positive values for locations above the surface, negative values for locations below. If depth measures are given, the reference surface is the location given by the depth, otherwise the reference surface is the location given by the elevation.
Examples`-1.5` (below the surface). `4.2` (above the surface). For a 1.5 meter sediment core from the bottom of a lake (at depth 20m) at 300m elevation: verbatimElevation: `300m` minimumElevationInMeters: `300`, maximumElevationInMeters: `300`, verbatimDepth: `20m`, minimumDepthInMeters: `20`, maximumDepthInMeters: `20`, minimumDistanceAboveSurfaceInMeters: `0`, maximumDistanceAboveSurfaceInMeters: `-1.5`.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:maximumElevationInMeters
Term IRIhttp://rs.tdwg.org/dwc/terms/maximumElevationInMeters
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/maximumElevationInMeters-2017-10-06
LabelMaximum Elevation In Meters
DefinitionThe upper limit of the range of elevation (altitude, usually above sea level), in meters.
Examples`-205`, `1236`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:measurementAccuracy
Term IRIhttp://rs.tdwg.org/dwc/terms/measurementAccuracy
Modified2018-09-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/measurementAccuracy-2018-09-06
LabelMeasurement Accuracy
DefinitionThe description of the potential error associated with the measurementValue.
Examples`0.01`, `normal distribution with variation of 2 m`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:measurementDeterminedBy
Term IRIhttp://rs.tdwg.org/dwc/iri/measurementDeterminedBy
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/measurementDeterminedBy-2015-03-27
LabelMeasurement Determined By (IRI)
DefinitionA person, group, or organization who determined the value of the MeasurementOrFact.
NotesTerms in the dwciri namespace are intended to be used in RDF with non-literal objects.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:measurementDeterminedBy
Term IRIhttp://rs.tdwg.org/dwc/terms/measurementDeterminedBy
Modified2018-09-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/measurementDeterminedBy-2018-09-06
LabelMeasurement Determined By
DefinitionA list (concatenated and separated) of names of people, groups, or organizations who determined the value of the MeasurementOrFact.
NotesRecommended best practice is to separate the values in a list with space vertical bar space (` | `).
Examples`Rob Guralnick`, `Peter Desmet | Stijn Van Hoey`
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-30_16
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:measurementDeterminedDate
Term IRIhttp://rs.tdwg.org/dwc/terms/measurementDeterminedDate
Modified2020-08-12
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/measurementDeterminedDate-2020-08-12
LabelMeasurement Determined Date
DefinitionThe date on which the MeasurementOrFact was made.
NotesRecommended best practice is to use a date that conforms to ISO 8601-1:2019.
Examples`1963-03-08T14:07-0600` (8 Mar 1963 at 2:07pm in the time zone six hours earlier than UTC). `2009-02-20T08:40Z` (20 February 2009 8:40am UTC). `2018-08-29T15:19` (3:19pm local time on 29 August 2018). `1809-02-12` (some time during 12 February 1809). `1906-06` (some time in June 1906). `1971` (some time in the year 1971). `2007-03-01T13:00:00Z/2008-05-11T15:30:00Z` (some time during the interval between 1 March 2007 1pm UTC and 11 May 2008 3:30pm UTC). `1900/1909` (some time during the interval between the beginning of the year 1900 and the end of the year 1909). `2007-11-13/15` (some time in the interval between 13 November 2007 and 15 November 2007).
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:measurementID
Term IRIhttp://rs.tdwg.org/dwc/terms/measurementID
Modified2018-09-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/measurementID-2018-09-06
LabelMeasurement ID
DefinitionAn identifier for the MeasurementOrFact (information pertaining to measurements, facts, characteristics, or assertions). May be a global unique identifier or an identifier specific to the data set.
Examples`9c752d22-b09a-11e8-96f8-529269fb1459`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:measurementMethod
Term IRIhttp://rs.tdwg.org/dwc/terms/measurementMethod
Modified2018-09-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/measurementMethod-2018-09-06
LabelMeasurement Method
DefinitionA description of or reference to (publication, URI) the method or protocol used to determine the measurement, fact, characteristic, or assertion.
Examples`minimum convex polygon around burrow entrances` (for a home range area). `barometric altimeter` (for an elevation).
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:measurementMethod
Term IRIhttp://rs.tdwg.org/dwc/iri/measurementMethod
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/measurementMethod-2015-03-27
LabelMeasurement Method (IRI)
DefinitionThe method or protocol used to determine the measurement, fact, characteristic, or assertion.
NotesTerms in the dwciri namespace are intended to be used in RDF with non-literal objects.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:MeasurementOrFact
Term IRIhttp://rs.tdwg.org/dwc/terms/MeasurementOrFact
Modified2018-09-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/MeasurementOrFact-2018-09-06
LabelMeasurement or Fact
DefinitionA measurement of or fact about an rdfs:Resource (http://www.w3.org/2000/01/rdf-schema#Resource).
NotesResources can be thought of as identifiable records or instances of classes and may include, but need not be limited to dwc:Occurrence, dwc:Organism, dwc:MaterialSample, dwc:Event, dwc:Location, dwc:GeologicalContext, dwc:Identification, or dwc:Taxon.
ExamplesThe weight of an organism in grams. The number of placental scars. Surface water temperature in Celsius.
TypeClass
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-26_15
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:measurementRemarks
Term IRIhttp://rs.tdwg.org/dwc/terms/measurementRemarks
Modified2018-09-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/measurementRemarks-2018-09-06
LabelMeasurement Remarks
DefinitionComments or notes accompanying the MeasurementOrFact.
Examples`tip of tail missing`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:measurementType
Term IRIhttp://rs.tdwg.org/dwc/iri/measurementType
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/measurementType-2015-03-27
LabelMeasurement Type (IRI)
DefinitionThe nature of the measurement, fact, characteristic, or assertion.
NotesRecommended best practice is to use a controlled vocabulary. Terms in the dwciri namespace are intended to be used in RDF with non-literal objects.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:measurementType
Term IRIhttp://rs.tdwg.org/dwc/terms/measurementType
Modified2018-09-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/measurementType-2018-09-06
LabelMeasurement Type
DefinitionThe nature of the measurement, fact, characteristic, or assertion.
NotesRecommended best practice is to use a controlled vocabulary.
Examples`tail length`, `temperature`, `trap line length`, `survey area`, `trap type`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:measurementUnit
Term IRIhttp://rs.tdwg.org/dwc/terms/measurementUnit
Modified2018-09-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/measurementUnit-2018-09-06
LabelMeasurement Unit
DefinitionThe units associated with the measurementValue.
NotesRecommended best practice is to use the International System of Units (SI).
Examples`mm`, `C`, `km`, `ha`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:measurementUnit
Term IRIhttp://rs.tdwg.org/dwc/iri/measurementUnit
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/measurementUnit-2015-03-27
LabelMeasurement Unit (IRI)
DefinitionThe units associated with the measurementValue.
NotesRecommended best practice is to use the International System of Units (SI).
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:measurementValue
Term IRIhttp://rs.tdwg.org/dwc/terms/measurementValue
Modified2018-09-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/measurementValue-2018-09-06
LabelMeasurement Value
DefinitionThe value of the measurement, fact, characteristic, or assertion.
Examples`45`, `20`, `1`, `14.5`, `UV-light`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:member
Term IRIhttp://rs.tdwg.org/dwc/terms/member
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/member-2017-10-06
LabelMember
DefinitionThe full name of the lithostratigraphic member from which the cataloged item was collected.
Examples`Lava Dam Member`, `Hellnmaria Member`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:minimumDepthInMeters
Term IRIhttp://rs.tdwg.org/dwc/terms/minimumDepthInMeters
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/minimumDepthInMeters-2017-10-06
LabelMinimum Depth In Meters
DefinitionThe lesser depth of a range of depth below the local surface, in meters.
Examples`0`, `100`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:minimumDistanceAboveSurfaceInMeters
Term IRIhttp://rs.tdwg.org/dwc/terms/minimumDistanceAboveSurfaceInMeters
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/minimumDistanceAboveSurfaceInMeters-2017-10-06
LabelMinimum Distance Above Surface In Meters
DefinitionThe lesser distance in a range of distance from a reference surface in the vertical direction, in meters. Use positive values for locations above the surface, negative values for locations below. If depth measures are given, the reference surface is the location given by the depth, otherwise the reference surface is the location given by the elevation.
Examples`-1.5` (below the surface). `4.2` (above the surface). For a 1.5 meter sediment core from the bottom of a lake (at depth 20m) at 300m elevation: verbatimElevation: `300m` minimumElevationInMeters: `300`, maximumElevationInMeters: `300`, verbatimDepth: `20m`, minimumDepthInMeters: `20`, maximumDepthInMeters: `20`, minimumDistanceAboveSurfaceInMeters: `0`, maximumDistanceAboveSurfaceInMeters: `-1.5`.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:minimumElevationInMeters
Term IRIhttp://rs.tdwg.org/dwc/terms/minimumElevationInMeters
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/minimumElevationInMeters-2017-10-06
LabelMinimum Elevation In Meters
DefinitionThe lower limit of the range of elevation (altitude, usually above sea level), in meters.
Examples`-100`, `802`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dcterms:modified
Term IRIhttp://purl.org/dc/terms/modified
Modified2020-08-12
Term version IRIhttp://dublincore.org/usage/terms/history/#modified-003
LabelDate Modified
DefinitionThe most recent date-time on which the resource was changed.
NotesRecommended best practice is to use a date that conforms to ISO 8601-1:2019.
Examples`1963-03-08T14:07-0600` (8 Mar 1963 at 2:07pm in the time zone six hours earlier than UTC). `2009-02-20T08:40Z` (20 February 2009 8:40am UTC). `2018-08-29T15:19` (3:19pm local time on 29 August 2018). `1809-02-12` (some time during 12 February 1809). `1906-06` (some time in June 1906). `1971` (some time in the year 1971). `2007-03-01T13:00:00Z/2008-05-11T15:30:00Z` (some time during the interval between 1 March 2007 1pm UTC and 11 May 2008 3:30pm UTC). `1900/1909` (some time during the interval between the beginning of the year 1900 and the end of the year 1909). `2007-11-13/15` (some time in the interval between 13 November 2007 and 15 November 2007).
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2019-12-01_19
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:month
Term IRIhttp://rs.tdwg.org/dwc/terms/month
Modified2020-08-12
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/month-2020-08-12
LabelMonth
DefinitionThe integer month in which the Event occurred.
Examples`1` (January). `10` (October).
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:municipality
Term IRIhttp://rs.tdwg.org/dwc/terms/municipality
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/municipality-2017-10-06
LabelMunicipality
DefinitionThe full, unabbreviated name of the next smaller administrative region than county (city, municipality, etc.) in which the Location occurs. Do not use this term for a nearby named place that does not contain the actual location.
NotesRecommended best practice is to use a controlled vocabulary such as the Getty Thesaurus of Geographic Names.
Examples`Holzminden`, `Araçatuba`, `Ga-Segonyana`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:nameAccordingTo
Term IRIhttp://rs.tdwg.org/dwc/terms/nameAccordingTo
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/nameAccordingTo-2017-10-06
LabelName According To
DefinitionThe reference to the source in which the specific taxon concept circumscription is defined or implied - traditionally signified by the Latin "sensu" or "sec." (from secundum, meaning "according to"). For taxa that result from identifications, a reference to the keys, monographs, experts and other sources should be given.
Examples`McCranie, J. R., D. B. Wake, and L. D. Wilson. 1996. The taxonomic status of Bolitoglossa schmidti, with comments on the biology of the Mesoamerican salamander Bolitoglossa dofleini (Caudata: Plethodontidae). Carib. J. Sci. 32:395-398.`, `Werner Greuter 2008`. `Lilljeborg 1861, Upsala Univ. Arsskrift, Math. Naturvet., pp. 4, 5`
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2019-12-01_19
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:nameAccordingToID
Term IRIhttp://rs.tdwg.org/dwc/terms/nameAccordingToID
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/nameAccordingToID-2017-10-06
LabelName According To ID
DefinitionAn identifier for the source in which the specific taxon concept circumscription is defined or implied. See nameAccordingTo.
Examples`https://doi.org/10.1016/S0269-915X(97)80026-2`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:namePublicationID
Term IRIhttp://rs.tdwg.org/dwc/terms/namePublicationID
Modified2009-09-21
LabelName Publication ID
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/namePublishedInID
DefinitionA resolvable globally unique identifier for the original publication of the scientificName.
NotesExample: "http://hdl.handle.net/10199/7"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:namePublishedIn
Term IRIhttp://rs.tdwg.org/dwc/terms/namePublishedIn
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/namePublishedIn-2017-10-06
LabelName Published In
DefinitionA reference for the publication in which the scientificName was originally established under the rules of the associated nomenclaturalCode.
Examples`Pearson O. P., and M. I. Christie. 1985. Historia Natural, 5(37):388`, `Forel, Auguste, Diagnosies provisoires de quelques espèces nouvelles de fourmis de Madagascar, récoltées par M. Grandidier., Annales de la Societe Entomologique de Belgique, Comptes-rendus des Seances 30, 1886`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:namePublishedInID
Term IRIhttp://rs.tdwg.org/dwc/terms/namePublishedInID
Modified2020-08-12
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/namePublishedInID-2020-08-12
LabelName Published In ID
DefinitionAn identifier for the publication in which the scientificName was originally established under the rules of the associated nomenclaturalCode.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:namePublishedInYear
Term IRIhttp://rs.tdwg.org/dwc/terms/namePublishedInYear
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/namePublishedInYear-2017-10-06
LabelName Published In Year
DefinitionThe four-digit year in which the scientificName was published.
Examples`1915`, `2008`
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2011-10-16_8
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:nomenclaturalCode
Term IRIhttp://rs.tdwg.org/dwc/terms/nomenclaturalCode
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/nomenclaturalCode-2017-10-06
LabelNomenclatural Code
DefinitionThe nomenclatural code (or codes in the case of an ambiregnal name) under which the scientificName is constructed.
NotesRecommended best practice is to use a controlled vocabulary.
Examples`ICN`, `ICZN`, `BC`, `ICNCP`, `BioCode`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:nomenclaturalStatus
Term IRIhttp://rs.tdwg.org/dwc/terms/nomenclaturalStatus
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/nomenclaturalStatus-2017-10-06
LabelNomenclatural Status
DefinitionThe status related to the original publication of the name and its conformance to the relevant rules of nomenclature. It is based essentially on an algorithm according to the business rules of the code. It requires no taxonomic opinion.
Examples`nom. ambig.`, `nom. illeg.`, `nom. subnud.`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:Occurrence
Term IRIhttp://rs.tdwg.org/dwc/terms/Occurrence
Modified2018-09-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/Occurrence-2018-09-06
LabelOccurrence
DefinitionAn existence of an Organism (sensu http://rs.tdwg.org/dwc/terms/Organism) at a particular place at a particular time.
ExamplesA wolf pack on the shore of Kluane Lake in 1988. A virus in a plant leaf in a the New York Botanical Garden at 15:29 on 2014-10-23. A fungus in Central Park in the summer of 1929.
TypeClass
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-26_15
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:occurrenceAttributes
Term IRIhttp://rs.tdwg.org/dwc/terms/occurrenceAttributes
Modified2009-10-09
LabelOccurrence Attributes
This term is deprecated and should no longer be used.
DefinitionA list (concatenated and separated) of additional measurements, facts, characteristics, or assertions about the Occurrence.
NotesExamples: "Tragus length: 14mm; Weight: 120g", "Height: 1-1.5 meters tall; flowers yellow; uncommon".
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:occurrenceDetails
Term IRIhttp://rs.tdwg.org/dwc/terms/occurrenceDetails
Modified2009-10-09
LabelOccurrence Details
This term is deprecated and should no longer be used.
DefinitionA reference (publication, URI) to the most detailed information available about the Occurrence.
NotesExample: "http://mvzarctos.berkeley.edu/guid/MVZ:Mamm:165861"
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2011-10-16_7
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:occurrenceID
Term IRIhttp://rs.tdwg.org/dwc/terms/occurrenceID
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/occurrenceID-2017-10-06
LabelOccurrence ID
DefinitionAn identifier for the Occurrence (as opposed to a particular digital record of the occurrence). In the absence of a persistent global unique identifier, construct one from a combination of identifiers in the record that will most closely make the occurrenceID globally unique.
NotesRecommended best practice is to use a persistent, globally unique identifier.
Examples`http://arctos.database.museum/guid/MSB:Mamm:233627`, `000866d2-c177-4648-a200-ead4007051b9`, `urn:catalog:UWBM:Bird:89776`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:OccurrenceMeasurement
Term IRIhttp://rs.tdwg.org/dwc/terms/OccurrenceMeasurement
Modified2009-10-09
LabelOccurrence Measurement
This term is deprecated and should no longer be used.
DefinitionThe category of information pertaining to measurements accociated with an occurrence.
TypeClass
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:occurrenceMeasurementAccuracy
Term IRIhttp://rs.tdwg.org/dwc/terms/occurrenceMeasurementAccuracy
Modified2009-10-09
LabelOccurrence Measurement Accuracy
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/measurementAccuracy
DefinitionThe description of the error associated with the occurrenceAttributeValue.
NotesExample: "0.01", "normal distribution with variation of 2 m"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:occurrenceMeasurementDeterminedBy
Term IRIhttp://rs.tdwg.org/dwc/terms/occurrenceMeasurementDeterminedBy
Modified2009-10-09
LabelOccurrence Measurement Determined By
This term is deprecated and should no longer be used.
DefinitionThe agent responsible for having determined the value of the measurement or characteristic of the occurrence.
NotesExample: "Javier de la Torre"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:occurrenceMeasurementDeterminedDate
Term IRIhttp://rs.tdwg.org/dwc/terms/occurrenceMeasurementDeterminedDate
Modified2009-10-09
LabelOccurrence Measurement Determined Date
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/measurementDeterminedDate
DefinitionThe date on which the the measurement or characteristic of the occurrence was made. Recommended best practice is to use an encoding scheme, such as ISO 8601:2004(E).
NotesExamples: "1963-03-08T14:07-0600" is 8 Mar 1963 2:07pm in the time zone six hours earlier than UTC, "2009-02-20T08:40Z" is 20 Feb 2009 8:40am UTC, "1809-02-12" is 12 Feb 1809, "1906-06" is Jun 1906, "1971" is just that year, "2007-03-01T13:00:00Z/2008-05-11T15:30:00Z" is the interval between 1 Mar 2007 1pm UTC and 11 May 2008 3:30pm UTC, "2007-11-13/15" is the interval between 13 Nov 2007 and 15 Nov 2007.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:occurrenceMeasurementID
Term IRIhttp://rs.tdwg.org/dwc/terms/occurrenceMeasurementID
Modified2009-10-09
LabelOccurrence Measurement ID
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/measurementID
DefinitionAn identifier for the occurrence attribute. May be a global unique identifier or an identifier specific to the data set.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:occurrenceMeasurementRemarks
Term IRIhttp://rs.tdwg.org/dwc/terms/occurrenceMeasurementRemarks
Modified2009-10-09
LabelOccurrence Measurement Remarks
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/measurementRemarks
DefinitionComments or notes accompanying the measurement or characteristic of the occurrence.
NotesExample: "tip of tail missing"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:occurrenceMeasurementType
Term IRIhttp://rs.tdwg.org/dwc/terms/occurrenceMeasurementType
Modified2009-10-09
LabelOccurrence Measurement Type
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/measurementType
DefinitionThe nature of the measurement or characteristic of the occurrence. Recommended best practice is to use a controlled vocabulary.
NotesExample: "tail length"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:occurrenceMeasurementUnit
Term IRIhttp://rs.tdwg.org/dwc/terms/occurrenceMeasurementUnit
Modified2009-10-09
LabelOccurrence Measurement Unit
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/measurementUnit
DefinitionThe units for the value of the measurement or characteristic of the occurrence. Recommended best practice is to use International System of Units (SI) units.
NotesExample: "mm"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:occurrenceMeasurementValue
Term IRIhttp://rs.tdwg.org/dwc/terms/occurrenceMeasurementValue
Modified2009-10-09
LabelOccurrence Measurement Value
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/measurementValue
DefinitionThe value of the measurement or characteristic of the occurrence.
NotesExample: "45"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:occurrenceRemarks
Term IRIhttp://rs.tdwg.org/dwc/terms/occurrenceRemarks
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/occurrenceRemarks-2017-10-06
LabelOccurrence Remarks
DefinitionComments or notes about the Occurrence.
Examples`found dead on road`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:occurrenceStatus
Term IRIhttp://rs.tdwg.org/dwc/terms/occurrenceStatus
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/occurrenceStatus-2017-10-06
LabelOccurrence Status
DefinitionA statement about the presence or absence of a Taxon at a Location.
NotesRecommended best practice is to use a controlled vocabulary.
Examples`present`, `absent`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:occurrenceStatus
Term IRIhttp://rs.tdwg.org/dwc/iri/occurrenceStatus
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/occurrenceStatus-2015-03-27
LabelOccurrence Status (IRI)
DefinitionA statement about the presence or absence of a Taxon at a Location.
NotesRecommended best practice is to use a controlled vocabulary. Terms in the dwciri namespace are intended to be used in RDF with non-literal objects.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:order
Term IRIhttp://rs.tdwg.org/dwc/terms/order
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/order-2017-10-06
LabelOrder
DefinitionThe full scientific name of the order in which the taxon is classified.
Examples`Carnivora`, `Monocleales`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:Organism
Term IRIhttp://rs.tdwg.org/dwc/terms/Organism
Modified2018-09-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/Organism-2018-09-06
LabelOrganism
DefinitionA particular organism or defined group of organisms considered to be taxonomically homogeneous.
NotesInstances of the dwc:Organism class are intended to facilitate linking one or more dwc:Identification instances to one or more dwc:Occurrence instances. Therefore, things that are typically assigned scientific names (such as viruses, hybrids, and lichens) and aggregates whose occurrences are typically recorded (such as packs, clones, and colonies) are included in the scope of this class.
ExamplesA specific bird. A specific wolf pack. A specific instance of a bacterial culture.
TypeClass
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-26_14
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:organismID
Term IRIhttp://rs.tdwg.org/dwc/terms/organismID
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/organismID-2017-10-06
LabelOrganism ID
DefinitionAn identifier for the Organism instance (as opposed to a particular digital record of the Organism). May be a globally unique identifier or an identifier specific to the data set.
Examples`http://arctos.database.museum/guid/WNMU:Mamm:1249`
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-26_14
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:organismName
Term IRIhttp://rs.tdwg.org/dwc/terms/organismName
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/organismName-2017-10-06
LabelOrganism Name
DefinitionA textual name or label assigned to an Organism instance.
Examples`Huberta`, `Boab Prison Tree`, `J pod`
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-26_14
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:organismQuantity
Term IRIhttp://rs.tdwg.org/dwc/terms/organismQuantity
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/organismQuantity-2017-10-06
LabelOrganism Quantity
DefinitionA number or enumeration value for the quantity of organisms.
NotesA dwc:organismQuantity must have a corresponding dwc:organismQuantityType.
Examples`27` (organismQuantity) with `individuals` (organismQuantityType). `12.5` (organismQuantity) with `%biomass` (organismQuantityType). `r` (organismQuantity) with `BraunBlanquetScale` (organismQuantityType).
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2015-03-19_18
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:organismQuantityType
Term IRIhttp://rs.tdwg.org/dwc/iri/organismQuantityType
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/organismQuantityType-2015-03-27
LabelOrganism Quantity Type (IRI)
DefinitionThe type of quantification system used for the quantity of organisms.
NotesA dwc:organismQuantityType must have a corresponding dwc:organismQuantity.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:organismQuantityType
Term IRIhttp://rs.tdwg.org/dwc/terms/organismQuantityType
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/organismQuantityType-2017-10-06
LabelOrganism Quantity Type
DefinitionThe type of quantification system used for the quantity of organisms.
NotesA dwc:organismQuantityType must have a corresponding dwc:organismQuantity.
Examples`27` (organismQuantity) with `individuals` (organismQuantityType). `12.5` (organismQuantity) with `%biomass` (organismQuantityType). `r` (organismQuantity) with `BraunBlanquetScale` (organismQuantityType).
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2015-03-19_18
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:organismRemarks
Term IRIhttp://rs.tdwg.org/dwc/terms/organismRemarks
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/organismRemarks-2017-10-06
LabelOrganism Remarks
DefinitionComments or notes about the Organism instance.
Examples`One of a litter of six`
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-26_14
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:organismScope
Term IRIhttp://rs.tdwg.org/dwc/terms/organismScope
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/organismScope-2017-10-06
LabelOrganism Scope
DefinitionA description of the kind of Organism instance. Can be used to indicate whether the Organism instance represents a discrete organism or if it represents a particular type of aggregation.
NotesRecommended best practice is to use a controlled vocabulary. This term is not intended to be used to specify a type of taxon. To describe the kind of dwc:Organism using a URI object in RDF, use rdf:type (http://www.w3.org/1999/02/22-rdf-syntax-ns#type) instead.
Examples`multicellular organism`, `virus`, `clone`, `pack`, `colony`
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-26_14
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:originalNameUsage
Term IRIhttp://rs.tdwg.org/dwc/terms/originalNameUsage
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/originalNameUsage-2017-10-06
LabelOriginal Name Usage
DefinitionThe taxon name, with authorship and date information if known, as it originally appeared when first established under the rules of the associated nomenclaturalCode. The basionym (botany) or basonym (bacteriology) of the scientificName or the senior/earlier homonym for replaced names.
Examples`Pinus abies`, `Gasterosteus saltatrix Linnaeus 1768`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:originalNameUsageID
Term IRIhttp://rs.tdwg.org/dwc/terms/originalNameUsageID
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/originalNameUsageID-2017-10-06
LabelOriginal Name Usage ID
DefinitionAn identifier for the name usage (documented meaning of the name according to a source) in which the terminal element of the scientificName was originally established under the rules of the associated nomenclaturalCode.
Examples`https://www.gbif.org/species/2685484`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:otherCatalogNumbers
Term IRIhttp://rs.tdwg.org/dwc/terms/otherCatalogNumbers
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/otherCatalogNumbers-2017-10-06
LabelOther Catalog Numbers
DefinitionA list (concatenated and separated) of previous or alternate fully qualified catalog numbers or other human-used identifiers for the same Occurrence, whether in the current or any other data set or collection.
NotesRecommended best practice is to separate the values in a list with space vertical bar space (` | `).
Examples`FMNH:Mammal:1234`, `NPS YELLO6778 | MBG 33424`
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-30_16
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:ownerInstitutionCode
Term IRIhttp://rs.tdwg.org/dwc/terms/ownerInstitutionCode
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/ownerInstitutionCode-2017-10-06
LabelOwner Institution Code
DefinitionThe name (or acronym) in use by the institution having ownership of the object(s) or information referred to in the record.
Examples`NPS`, `APN`, `InBio`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:parentEventID
Term IRIhttp://rs.tdwg.org/dwc/terms/parentEventID
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/parentEventID-2017-10-06
LabelParent Event ID
DefinitionAn identifier for the broader Event that groups this and potentially other Events.
NotesUse a globally unique identifier for a dwc:Event or an identifier for a dwc:Event that is specific to the data set.
Examples`A1` (parentEventID to identify the main Whittaker Plot in nested samples, each with its own eventID - `A1:1`, `A1:2`).
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2015-03-19_18
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:parentNameUsage
Term IRIhttp://rs.tdwg.org/dwc/terms/parentNameUsage
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/parentNameUsage-2017-10-06
LabelParent Name Usage
DefinitionThe full name, with authorship and date information if known, of the direct, most proximate higher-rank parent taxon (in a classification) of the most specific element of the scientificName.
Examples`Rubiaceae`, `Gruiformes`, `Testudinae`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:parentNameUsageID
Term IRIhttp://rs.tdwg.org/dwc/terms/parentNameUsageID
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/parentNameUsageID-2017-10-06
LabelParent Name Usage ID
DefinitionAn identifier for the name usage (documented meaning of the name according to a source) of the direct, most proximate higher-rank parent taxon (in a classification) of the most specific element of the scientificName.
Examples`https://www.gbif.org/species/2684876`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:phylum
Term IRIhttp://rs.tdwg.org/dwc/terms/phylum
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/phylum-2017-10-06
LabelPhylum
DefinitionThe full scientific name of the phylum or division in which the taxon is classified.
Examples`Chordata` (phylum). `Bryophyta` (division).
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:pointRadiusSpatialFit
Term IRIhttp://rs.tdwg.org/dwc/terms/pointRadiusSpatialFit
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/pointRadiusSpatialFit-2017-10-06
LabelPoint Radius Spatial Fit
DefinitionThe ratio of the area of the point-radius (decimalLatitude, decimalLongitude, coordinateUncertaintyInMeters) to the area of the true (original, or most specific) spatial representation of the Location. Legal values are 0, greater than or equal to 1, or undefined. A value of 1 is an exact match or 100% overlap. A value of 0 should be used if the given point-radius does not completely contain the original representation. The pointRadiusSpatialFit is undefined (and should be left blank) if the original representation is a point without uncertainty and the given georeference is not that same point (without uncertainty). If both the original and the given georeference are the same point, the pointRadiusSpatialFit is 1.
NotesDetailed explanations with graphical examples can be found in the Guide to Best Practices for Georeferencing, Chapman and Wieczorek, eds. 2006.
ExamplesDetailed explanations with graphical examples can be found in the Guide to Best Practices for Georeferencing, Chapman and Wieczorek, eds. 2006.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:preparations
Term IRIhttp://rs.tdwg.org/dwc/terms/preparations
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/preparations-2017-10-06
LabelPreparations
DefinitionA list (concatenated and separated) of preparations and preservation methods for a specimen.
NotesRecommended best practice is to separate the values in a list with space vertical bar space (` | `).
Examples`fossil`, `cast`, `photograph`, `DNA extract`, `skin | skull | skeleton`, `whole animal (ETOH) | tissue (EDTA)`
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-30_16
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2019-12-01_19
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:preparations
Term IRIhttp://rs.tdwg.org/dwc/iri/preparations
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/preparations-2015-03-27
LabelPreparations (IRI)
DefinitionA preparation or preservation method for a specimen.
NotesTerms in the dwciri namespace are intended to be used in RDF with non-literal objects.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:PreservedSpecimen
Term IRIhttp://rs.tdwg.org/dwc/terms/PreservedSpecimen
Modified2018-09-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/PreservedSpecimen-2018-09-06
LabelPreserved Specimen
DefinitionA specimen that has been preserved.
ExamplesA plant on an herbarium sheet. A cataloged lot of fish in a jar.
TypeClass
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-26_15
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:PreviousIdentifications
Term IRIhttp://rs.tdwg.org/dwc/terms/PreviousIdentifications
Modified2009-04-24
LabelPrevious Identifications
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/previousIdentifications
DefinitionA list (concatenated and separated) of previous ScientificNames to which the sample was identified.
NotesExample: "Anthus correndera".
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:previousIdentifications
Term IRIhttp://rs.tdwg.org/dwc/terms/previousIdentifications
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/previousIdentifications-2017-10-06
LabelPrevious Identifications
DefinitionA list (concatenated and separated) of previous assignments of names to the Organism.
NotesRecommended best practice is to separate the values in a list with space vertical bar space (` | `).
Examples`Chalepidae`, `Pinus abies`, `Anthus sp., field ID by G. Iglesias | Anthus correndera, expert ID by C. Cicero 2009-02-12 based on morphology`
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-26_14
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-30_16
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:recordedBy
Term IRIhttp://rs.tdwg.org/dwc/iri/recordedBy
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/recordedBy-2015-03-27
LabelRecorded By (IRI)
DefinitionA person, group, or organization responsible for recording the original Occurrence.
NotesTerms in the dwciri namespace are intended to be used in RDF with non-literal objects.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:recordedBy
Term IRIhttp://rs.tdwg.org/dwc/terms/recordedBy
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/recordedBy-2017-10-06
LabelRecorded By
DefinitionA list (concatenated and separated) of names of people, groups, or organizations responsible for recording the original Occurrence. The primary collector or observer, especially one who applies a personal identifier (recordNumber), should be listed first.
NotesRecommended best practice is to separate the values in a list with space vertical bar space (` | `).
Examples`José E. Crespo`. `Oliver P. Pearson | Anita K. Pearson` (where the value in recordNumber `OPP 7101` corresponds to the collector number for the specimen in the field catalog of Oliver P. Pearson).
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-30_16
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:recordNumber
Term IRIhttp://rs.tdwg.org/dwc/terms/recordNumber
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/recordNumber-2017-10-06
LabelRecord Number
DefinitionAn identifier given to the Occurrence at the time it was recorded. Often serves as a link between field notes and an Occurrence record, such as a specimen collector's number.
Examples`OPP 7101`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:recordNumber
Term IRIhttp://rs.tdwg.org/dwc/iri/recordNumber
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/recordNumber-2015-03-27
LabelRecord Number (IRI)
DefinitionAn identifier given to the Occurrence at the time it was recorded. Often serves as a link between field notes and an Occurrence record, such as a specimen collector's number.
NotesThe subject is a dwc:Occurrence and the object is a (possibly IRI-identified) resource that is the field notes.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dcterms:references
Term IRIhttp://purl.org/dc/terms/references
Modified2020-08-12
Term version IRIhttp://dublincore.org/usage/terms/history/#references-003
LabelReferences
DefinitionA related resource that is referenced, cited, or otherwise pointed to by the described resource.
Examples`http://arctos.database.museum/guid/MVZ:Mamm:165861?seid=101356`, `http://www.catalogueoflife.org/col/details/species/id/55501d5898c605670da76dee09746aa9`
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2011-10-16_7
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:RelatedBasisOfRecord
Term IRIhttp://rs.tdwg.org/dwc/terms/RelatedBasisOfRecord
Modified2009-01-26
LabelRelated Basis of Record
This term is deprecated and should no longer be used.
DefinitionThe nature of the related resource. Recommended best practice is to use the same controlled vocabulary as for basisOfRecord.
NotesExample: "PreservedSpecimen"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:relatedResourceID
Term IRIhttp://rs.tdwg.org/dwc/terms/relatedResourceID
Modified2018-09-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/relatedResourceID-2018-09-06
LabelRelated Resource ID
DefinitionAn identifier for a related resource (the object, rather than the subject of the relationship).
Examples`dc609808-b09b-11e8-96f8-529269fb1459`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:relatedResourceType
Term IRIhttp://rs.tdwg.org/dwc/terms/relatedResourceType
Modified2009-10-09
LabelRelated Resource Type
This term is deprecated and should no longer be used.
DefinitionThe type of the related resource. Recommended best practice is to use a controlled vocabulary.
NotesExamples: "StillImage", "MovingImage", "Sound", PhysicalObject", "PreservedSpecimen", FossilSpecimen", LivingSpecimen", "HumanObservation", "MachineObservation", "Location", "Taxonomy", "NomeclaturalChecklist", "Publication"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:relationshipAccordingTo
Term IRIhttp://rs.tdwg.org/dwc/terms/relationshipAccordingTo
Modified2018-09-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/relationshipAccordingTo-2018-09-06
LabelRelationship According To
DefinitionThe source (person, organization, publication, reference) establishing the relationship between the two resources.
Examples`Julie Woodruff`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:relationshipEstablishedDate
Term IRIhttp://rs.tdwg.org/dwc/terms/relationshipEstablishedDate
Modified2020-08-12
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/relationshipEstablishedDate-2020-08-12
LabelRelationship Established Date
DefinitionThe date-time on which the relationship between the two resources was established.
NotesRecommended best practice is to use a date that conforms to ISO 8601-1:2019.
Examples`1963-03-08T14:07-0600` (8 Mar 1963 at 2:07pm in the time zone six hours earlier than UTC). `2009-02-20T08:40Z` (20 February 2009 8:40am UTC). `2018-08-29T15:19` (3:19pm local time on 29 August 2018). `1809-02-12` (some time during 12 February 1809). `1906-06` (some time in June 1906). `1971` (some time in the year 1971). `2007-03-01T13:00:00Z/2008-05-11T15:30:00Z` (some time during the interval between 1 March 2007 1pm UTC and 11 May 2008 3:30pm UTC). `1900/1909` (some time during the interval between the beginning of the year 1900 and the end of the year 1909). `2007-11-13/15` (some time in the interval between 13 November 2007 and 15 November 2007).
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:relationshipOfResource
Term IRIhttp://rs.tdwg.org/dwc/terms/relationshipOfResource
Modified2018-09-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/relationshipOfResource-2018-09-06
LabelRelationship Of Resource
DefinitionThe relationship of the resource identified by relatedResourceID to the subject (optionally identified by the resourceID).
NotesRecommended best practice is to use a controlled vocabulary.
Examples`sameAs`, `duplicate of`, `mother of`, `endoparasite of`, `host to`, `sibling of`, `valid synonym of`, `located within`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:relationshipRemarks
Term IRIhttp://rs.tdwg.org/dwc/terms/relationshipRemarks
Modified2018-09-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/relationshipRemarks-2018-09-06
LabelRelationship Remarks
DefinitionComments or notes about the relationship between the two resources.
Examples`mother and offspring collected from the same nest`, `pollinator captured in the act`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:reproductiveCondition
Term IRIhttp://rs.tdwg.org/dwc/terms/reproductiveCondition
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/reproductiveCondition-2017-10-06
LabelReproductive Condition
DefinitionThe reproductive condition of the biological individual(s) represented in the Occurrence.
NotesRecommended best practice is to use a controlled vocabulary.
Examples`non-reproductive`, `pregnant`, `in bloom`, `fruit-bearing`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:reproductiveCondition
Term IRIhttp://rs.tdwg.org/dwc/iri/reproductiveCondition
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/reproductiveCondition-2015-03-27
LabelReproductive Condition (IRI)
DefinitionThe reproductive condition of the biological individual(s) represented in the Occurrence.
NotesRecommended best practice is to use a controlled vocabulary. Terms in the dwciri namespace are intended to be used in RDF with non-literal objects.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:resourceID
Term IRIhttp://rs.tdwg.org/dwc/terms/resourceID
Modified2018-09-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/resourceID-2018-09-06
LabelResource ID
DefinitionAn identifier for the resource that is the subject of the relationship.
Examples`f809b9e0-b09b-11e8-96f8-529269fb1459`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:ResourceRelationship
Term IRIhttp://rs.tdwg.org/dwc/terms/ResourceRelationship
Modified2018-09-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/ResourceRelationship-2018-09-06
LabelResource Relationship
DefinitionA relationship of one rdfs:Resource (http://www.w3.org/2000/01/rdf-schema#Resource) to another.
NotesResources can be thought of as identifiable records or instances of classes and may include, but need not be limited to dwc:Occurrence, dwc:Organism, dwc:MaterialSample, dwc:Event, dwc:Location, dwc:GeologicalContext, dwc:Identification, or dwc:Taxon.
ExamplesAn instance of an Organism is the mother of another instance of an Organism. A uniquely identified Occurrence represents the same Occurrence as another uniquely identified Occurrence. A MaterialSample is a subsample of another MaterialSample.
TypeClass
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-26_15
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:resourceRelationshipID
Term IRIhttp://rs.tdwg.org/dwc/terms/resourceRelationshipID
Modified2018-09-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/resourceRelationshipID-2018-09-06
LabelResource Relationship ID
DefinitionAn identifier for an instance of relationship between one resource (the subject) and another (relatedResource, the object).
Examples`04b16710-b09c-11e8-96f8-529269fb1459`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dcterms:rights
Term IRIhttp://purl.org/dc/terms/rights
Modified2008-01-14
LabelRights
This term is deprecated and should no longer be used.
Is replaced byhttp://purl.org/dc/terms/license
DefinitionInformation about rights held in and over the resource.
NotesTypically, rights information includes a statement about various property rights associated with the resource, including intellectual property rights.
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-11-06_17
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2019-12-01_19
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dcterms:rightsHolder
Term IRIhttp://purl.org/dc/terms/rightsHolder
Modified2008-01-14
Term version IRIhttp://dublincore.org/usage/terms/history/#rightsHolder-002
LabelRights Holder
DefinitionA person or organization owning or managing rights over the resource.
Examples`The Regents of the University of California`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:Sample
Term IRIhttp://rs.tdwg.org/dwc/terms/Sample
Modified2009-04-29
LabelSample
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/Occurrence
DefinitionContainer class for information about the results of a sampling event (specimen, observation, etc.)
TypeClass
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:SampleAttribute
Term IRIhttp://rs.tdwg.org/dwc/terms/SampleAttribute
Modified2009-04-29
LabelSample Attribute
This term is deprecated and should no longer be used.
DefinitionContainer class for information about attributes related to a given sample.
TypeClass
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:SampleAttributeAccuracy
Term IRIhttp://rs.tdwg.org/dwc/terms/SampleAttributeAccuracy
Modified2009-04-29
LabelSample Attribute Accuracy
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/occurrenceMeasurementAccuracy
DefinitionThe description of the error associated with the SampleAttributeValue.
NotesExample: "0.01", "normal distribution with variation of 2 m"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:SampleAttributeDeterminedBy
Term IRIhttp://rs.tdwg.org/dwc/terms/SampleAttributeDeterminedBy
Modified2009-04-29
LabelSample Attribute Determined By
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/occurrenceMeasurementDeterminedBy
DefinitionThe agent responsible for having determined the value of the measurement or characteristic of the sample.
NotesExample: "Javier de la Torre"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:SampleAttributeDeterminedDate
Term IRIhttp://rs.tdwg.org/dwc/terms/SampleAttributeDeterminedDate
Modified2009-04-29
LabelSample Attribute Determined Date
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/occurrenceMeasurementDeterminedDate
DefinitionThe date on which the the measurement or characteristic of the sample was made.
NotesDate may be used to express temporal information at any level of granularity. Recommended best practice is to use an encoding scheme, such as the W3CDTF profile of ISO 8601 [W3CDTF].
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:SampleAttributeRemarks
Term IRIhttp://rs.tdwg.org/dwc/terms/SampleAttributeRemarks
Modified2009-04-29
LabelSample Attribute Remarks
This term is deprecated and should no longer be used.
DefinitionComments or notes accompanying the measurement or characteristic of the sample.
NotesExample: "tip of tail missing"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:SampleAttributeUnit
Term IRIhttp://rs.tdwg.org/dwc/terms/SampleAttributeUnit
Modified2009-04-29
LabelSample Attribute Unit
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/occurrenceMeasurementUnit
DefinitionThe units for the value of the measurement or characteristic of the sample. Recommended best practice is to use International System of Units (SI) units.
NotesExample: "mm"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:SampleAttributeValue
Term IRIhttp://rs.tdwg.org/dwc/terms/SampleAttributeValue
Modified2009-04-29
LabelSample Attribute Value
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/occurrenceMeasurementValue
DefinitionThe value of the measurement or characteristic of the sample.
NotesExample: "45"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:SampleRemarks
Term IRIhttp://rs.tdwg.org/dwc/terms/SampleRemarks
Modified2009-04-29
LabelSample Remarks
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/occurrenceRemarks
DefinitionComments or notes about the sample or record.
NotesExample: "found dead on road"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:sampleSizeUnit
Term IRIhttp://rs.tdwg.org/dwc/terms/sampleSizeUnit
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/sampleSizeUnit-2017-10-06
LabelSample Size Unit
DefinitionThe unit of measurement of the size (time duration, length, area, or volume) of a sample in a sampling event.
NotesA sampleSizeUnit must have a corresponding sampleSizeValue, e.g., `5` for sampleSizeValue with `metre` for sampleSizeUnit.
Examples`minute`, `hour`, `day`, `metre`, `square metre`, `cubic metre`
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2015-03-19_18
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:sampleSizeUnit
Term IRIhttp://rs.tdwg.org/dwc/iri/sampleSizeUnit
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/sampleSizeUnit-2015-03-27
LabelSampling Size Unit (IRI)
DefinitionThe unit of measurement of the size (time duration, length, area, or volume) of a sample in a sampling event.
NotesA sampleSizeUnit must have a corresponding sampleSizeValue. Recommended best practice is to use a controlled vocabulary such as the Ontology of Units of Measure http://www.wurvoc.org/vocabularies/om-1.8/ of SI units, derived units, or other non-SI units accepted for use within the SI.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:sampleSizeValue
Term IRIhttp://rs.tdwg.org/dwc/terms/sampleSizeValue
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/sampleSizeValue-2017-10-06
LabelSample Size Value
DefinitionA numeric value for a measurement of the size (time duration, length, area, or volume) of a sample in a sampling event.
NotesA sampleSizeValue must have a corresponding sampleSizeUnit.
Examples`5` for sampleSizeValue with `metre` for sampleSizeUnit.
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2015-03-19_18
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:SamplingAttributeID
Term IRIhttp://rs.tdwg.org/dwc/terms/SamplingAttributeID
Modified2009-04-29
LabelSample Attribute ID
This term is deprecated and should no longer be used.
DefinitionAn identifier for the sampling attribute. May be a global unique identifier or an identifier specific to the data set.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:SamplingAttributeType
Term IRIhttp://rs.tdwg.org/dwc/terms/SamplingAttributeType
Modified2009-04-29
LabelSample Attribute Type
This term is deprecated and should no longer be used.
DefinitionThe nature of the measurement or characteristic of the sample. Recommended best practice is to use a controlled vocabulary.
NotesExample: "tail length"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:samplingEffort
Term IRIhttp://rs.tdwg.org/dwc/terms/samplingEffort
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/samplingEffort-2017-10-06
LabelSampling Effort
DefinitionThe amount of effort expended during an Event.
Examples`40 trap-nights`, `10 observer-hours`, `10 km by foot`, `30 km by car`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:SamplingEvent
Term IRIhttp://rs.tdwg.org/dwc/terms/SamplingEvent
Modified2009-04-29
LabelSampling Event
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/Event
DefinitionContainer class for information about the conditions and methods of acquisition of samples.
TypeClass
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:SamplingEventAttributes
Term IRIhttp://rs.tdwg.org/dwc/terms/SamplingEventAttributes
Modified2009-04-29
LabelSampling Event Attributes
This term is deprecated and should no longer be used.
DefinitionA list (concatenated and separated) of additional measurements or characteristics of the sampling event.
NotesExample: "Relative humidity: 28 %; Temperature: 22 C; Sample size: 10 kg"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:SamplingEventID
Term IRIhttp://rs.tdwg.org/dwc/terms/SamplingEventID
Modified2009-04-29
LabelSampling Event ID
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/eventID
DefinitionAn identifier for the sampling event. May be a global unique identifier or an identifier specific to the data set.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:SamplingEventRemarks
Term IRIhttp://rs.tdwg.org/dwc/terms/SamplingEventRemarks
Modified2009-04-29
LabelSampling Event Remarks
This term is deprecated and should no longer be used.
DefinitionComments or notes about the sampling event.
NotesExample: "found dead on road"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:SamplingLocation
Term IRIhttp://rs.tdwg.org/dwc/terms/SamplingLocation
Modified2009-04-29
LabelSampling Location
This term is deprecated and should no longer be used.
DefinitionContainer class for information about the location where a sampling event occurred.
TypeClass
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:SamplingLocationID
Term IRIhttp://rs.tdwg.org/dwc/terms/SamplingLocationID
Modified2009-04-29
LabelSampling Location ID
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/locationID
DefinitionAn identifier for the sampling location. May be a global unique identifier or an identifier specific to the data set.
NotesExample: "MVZ:LocID:12345"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:SamplingLocationRemarks
Term IRIhttp://rs.tdwg.org/dwc/terms/SamplingLocationRemarks
Modified2009-04-29
LabelSampling Location Remarks
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/locationRemarks
DefinitionComments or notes about the sampling location.
NotesExample: "under water since 2005"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:samplingProtocol
Term IRIhttp://rs.tdwg.org/dwc/iri/samplingProtocol
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/samplingProtocol-2015-03-27
LabelSampling Protocol (IRI)
DefinitionThe method or protocol used during an Event.
NotesTerms in the dwciri namespace are intended to be used in RDF with non-literal objects.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:samplingProtocol
Term IRIhttp://rs.tdwg.org/dwc/terms/samplingProtocol
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/samplingProtocol-2017-10-06
LabelSampling Protocol
DefinitionThe name of, reference to, or description of the method or protocol used during an Event.
Examples`UV light trap`, `mist net`, `bottom trawl`, `ad hoc observation`, `point count`, `Penguins from space: faecal stains reveal the location of emperor penguin colonies, https://doi.org/10.1111/j.1466-8238.2009.00467.x`, `Takats et al. 2001. Guidelines for Nocturnal Owl Monitoring in North America. Beaverhill Bird Observatory and Bird Studies Canada, Edmonton, Alberta. 32 pp.`, `http://www.bsc-eoc.org/download/Owl.pdf`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:scientificName
Term IRIhttp://rs.tdwg.org/dwc/terms/scientificName
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/scientificName-2017-10-06
LabelScientific Name
DefinitionThe full scientific name, with authorship and date information if known. When forming part of an Identification, this should be the name in lowest level taxonomic rank that can be determined. This term should not contain identification qualifications, which should instead be supplied in the IdentificationQualifier term.
Examples`Coleoptera` (order). `Vespertilionidae` (family). `Manis` (genus). `Ctenomys sociabilis` (genus + specificEpithet). `Ambystoma tigrinum diaboli` (genus + specificEpithet + infraspecificEpithet). `Roptrocerus typographi (Györfi, 1952)` (genus + specificEpithet + scientificNameAuthorship), `Quercus agrifolia var. oxyadenia (Torr.) J.T. Howell` (genus + specificEpithet + taxonRank + infraspecificEpithet + scientificNameAuthorship).
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2019-12-01_19
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:scientificNameAuthorship
Term IRIhttp://rs.tdwg.org/dwc/terms/scientificNameAuthorship
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/scientificNameAuthorship-2017-10-06
LabelScientific Name Authorship
DefinitionThe authorship information for the scientificName formatted according to the conventions of the applicable nomenclaturalCode.
Examples`(Torr.) J.T. Howell`, `(Martinovský) Tzvelev`, `(Györfi, 1952)`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:scientificNameID
Term IRIhttp://rs.tdwg.org/dwc/terms/scientificNameID
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/scientificNameID-2017-10-06
LabelScientific Name ID
DefinitionAn identifier for the nomenclatural (not taxonomic) details of a scientific name.
Examples`urn:lsid:ipni.org:names:37829-1:1.3`
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2019-12-01_19
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:scientificNameRank
Term IRIhttp://rs.tdwg.org/dwc/terms/scientificNameRank
Modified2009-09-21
LabelScientific Name Rank
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/taxonRank
DefinitionThe taxonomic rank of the most specific name in the scientificName. Recommended best practice is to use a controlled vocabulary.
NotesExamples: "subsp.", "var.", "forma", "species", "genus"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:sex
Term IRIhttp://rs.tdwg.org/dwc/iri/sex
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/sex-2015-03-27
LabelSex (IRI)
DefinitionThe sex of the biological individual(s) represented in the Occurrence.
NotesRecommended best practice is to use a controlled vocabulary. Terms in the dwciri namespace are intended to be used in RDF with non-literal objects.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:sex
Term IRIhttp://rs.tdwg.org/dwc/terms/sex
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/sex-2017-10-06
LabelSex
DefinitionThe sex of the biological individual(s) represented in the Occurrence.
NotesRecommended best practice is to use a controlled vocabulary.
Examples`female`, `male`, `hermaphrodite`
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2019-12-01_19
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:specificEpithet
Term IRIhttp://rs.tdwg.org/dwc/terms/specificEpithet
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/specificEpithet-2017-10-06
LabelSpecific Epithet
DefinitionThe name of the first or species epithet of the scientificName.
Examples`concolor`, `gottschei`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:startDayOfYear
Term IRIhttp://rs.tdwg.org/dwc/terms/startDayOfYear
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/startDayOfYear-2017-10-06
LabelStart Day Of Year
DefinitionThe earliest ordinal day of the year on which the Event occurred (1 for January 1, 365 for December 31, except in a leap year, in which case it is 366).
Examples`1` (1 January). `366` (31 December), `365` (30 December in a leap year, 31 December in a non-leap year).
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:StartTimeOfDay
Term IRIhttp://rs.tdwg.org/dwc/terms/StartTimeOfDay
Modified2009-04-24
LabelStart Time of Day
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/eventTime
DefinitionThe time of day when the event began, expressed as decimal hours from midnight, local time.
NotesExamples: "12.0" (= noon), "13.5" (= 1:30pm)
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:stateProvince
Term IRIhttp://rs.tdwg.org/dwc/terms/stateProvince
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/stateProvince-2017-10-06
LabelState Province
DefinitionThe name of the next smaller administrative region than country (state, province, canton, department, region, etc.) in which the Location occurs.
NotesRecommended best practice is to use a controlled vocabulary such as the Getty Thesaurus of Geographic Names.
Examples`Montana`, `Minas Gerais`, `Córdoba`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:subgenus
Term IRIhttp://rs.tdwg.org/dwc/terms/subgenus
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/subgenus-2017-10-06
LabelSubgenus
DefinitionThe full scientific name of the subgenus in which the taxon is classified. Values should include the genus to avoid homonym confusion.
Examples`Strobus`, `Amerigo`, `Pilosella`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:Taxon
Term IRIhttp://rs.tdwg.org/dwc/terms/Taxon
Modified2018-09-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/Taxon-2018-09-06
LabelTaxon
DefinitionA group of organisms (sensu http://purl.obolibrary.org/obo/OBI_0100026) considered by taxonomists to form a homogeneous unit.
ExamplesThe genus Truncorotaloides as published by Brönnimann et al. in 1953 in the Journal of Paleontology Vol. 27(6) p. 817-820.
TypeClass
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-26_15
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:taxonAccordingTo
Term IRIhttp://rs.tdwg.org/dwc/terms/taxonAccordingTo
Modified2009-09-21
LabelTaxon According To
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/nameAccordingTo
DefinitionInformation about the authorship of this taxon concept which uses the scientificName in their sense (secundum, sensu). Could be a publication (identification key), institution or team of individuals.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:taxonAttributes
Term IRIhttp://rs.tdwg.org/dwc/terms/taxonAttributes
Modified2009-10-09
LabelTaxon Attributes
This term is deprecated and should no longer be used.
DefinitionA list (concatenated and separated) of additional measurements, facts, characteristics, or assertions about the taxon.
NotesExample: "iucnstatus=vulnerable; distribution=Neuquen, Argentina"
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:taxonConceptID
Term IRIhttp://rs.tdwg.org/dwc/terms/taxonConceptID
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/taxonConceptID-2017-10-06
LabelTaxon Concept ID
DefinitionAn identifier for the taxonomic concept to which the record refers - not for the nomenclatural details of a taxon.
Examples`8fa58e08-08de-4ac1-b69c-1235340b7001`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:TaxonID
Term IRIhttp://rs.tdwg.org/dwc/terms/TaxonID
Modified2009-04-24
LabelTaxon ID
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/taxonNameID
DefinitionA global unique identifier for the taxon (name in a classification).
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:taxonID
Term IRIhttp://rs.tdwg.org/dwc/terms/taxonID
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/taxonID-2017-10-06
LabelTaxon ID
DefinitionAn identifier for the set of taxon information (data associated with the Taxon class). May be a global unique identifier or an identifier specific to the data set.
Examples`8fa58e08-08de-4ac1-b69c-1235340b7001`, `32567`, `https://www.gbif.org/species/212`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:taxonNameID
Term IRIhttp://rs.tdwg.org/dwc/terms/taxonNameID
Modified2009-07-06
LabelTaxon Name ID
This term is deprecated and should no longer be used.
DefinitionA unique identifier for the scientificName.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:taxonomicStatus
Term IRIhttp://rs.tdwg.org/dwc/terms/taxonomicStatus
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/taxonomicStatus-2017-10-06
LabelTaxonomic Status
DefinitionThe status of the use of the scientificName as a label for a taxon. Requires taxonomic opinion to define the scope of a taxon. Rules of priority then are used to define the taxonomic status of the nomenclature contained in that scope, combined with the experts opinion. It must be linked to a specific taxonomic reference that defines the concept.
NotesRecommended best practice is to use a controlled vocabulary.
Examples`invalid`, `misapplied`, `homotypic synonym`, `accepted`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:taxonRank
Term IRIhttp://rs.tdwg.org/dwc/terms/taxonRank
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/taxonRank-2017-10-06
LabelTaxon Rank
DefinitionThe taxonomic rank of the most specific name in the scientificName.
NotesRecommended best practice is to use a controlled vocabulary.
Examples`subspecies`, `varietas`, `forma`, `species`, `genus`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:taxonRemarks
Term IRIhttp://rs.tdwg.org/dwc/terms/taxonRemarks
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/taxonRemarks-2017-10-06
LabelTaxon Remarks
DefinitionComments or notes about the taxon or name.
Examples`this name is a misspelling in common use`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:toTaxon
Term IRIhttp://rs.tdwg.org/dwc/iri/toTaxon
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/toTaxon-2015-03-27
LabelTo Taxon
DefinitionUse to link a dwc:Identification instance subject to a taxonomic entity such as a taxon, taxon concept, or taxon name use.
NotesA "convenience property" that replaces Darwin Core literal-value terms related to taxonomic entities. See Section 2.7.4 of the Darwin Core RDF Guide for details.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dcterms:type
Term IRIhttp://purl.org/dc/terms/type
Modified2008-01-14
LabelType
This term is deprecated and should no longer be used.
Is replaced byhttp://purl.org/dc/elements/1.1/type
DefinitionThe nature or genre of the resource.
NotesTo provide a string literal value for type, use dc:type rather than this term. In accordance with the Darwin Core RDF guide, rdf:type should be used instead of this term to indicate an IRI value for type.
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2009-12-07_1
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2019-12-01_19
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2019-12-01_20
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dc:type
Term IRIhttp://purl.org/dc/elements/1.1/type
Modified2008-01-14
Term version IRIhttp://dublincore.org/usage/terms/history/#type-006
LabelType
DefinitionThe nature or genre of the resource.
NotesMust be populated with a value from the DCMI type vocabulary (http://dublincore.org/documents/2010/10/11/dcmi-type-vocabulary/).
Examples`StillImage`, `MovingImage`, `Sound`, `PhysicalObject`, `Event`, `Text`
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2019-12-01_19
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2019-12-01_20
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:typeStatus
Term IRIhttp://rs.tdwg.org/dwc/iri/typeStatus
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/typeStatus-2015-03-27
LabelType Status (IRI)
DefinitionA nomenclatural type (type status, typified scientific name, publication) applied to the subject.
NotesTerms in the dwciri namespace are intended to be used in RDF with non-literal objects.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:typeStatus
Term IRIhttp://rs.tdwg.org/dwc/terms/typeStatus
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/typeStatus-2017-10-06
LabelType Status
DefinitionA list (concatenated and separated) of nomenclatural types (type status, typified scientific name, publication) applied to the subject.
NotesRecommended best practice is to separate the values in a list with space vertical bar space (` | `).
Examples`holotype of Ctenomys sociabilis. Pearson O. P., and M. I. Christie. 1985. Historia Natural, 5(37):388`, `holotype of Pinus abies | holotype of Picea abies`
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2014-10-30_16
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:verbatimCoordinates
Term IRIhttp://rs.tdwg.org/dwc/terms/verbatimCoordinates
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/verbatimCoordinates-2017-10-06
LabelVerbatim Coordinates
DefinitionThe verbatim original spatial coordinates of the Location. The coordinate ellipsoid, geodeticDatum, or full Spatial Reference System (SRS) for these coordinates should be stored in verbatimSRS and the coordinate system should be stored in verbatimCoordinateSystem.
Examples`41 05 54S 121 05 34W`, `17T 630000 4833400`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:verbatimCoordinateSystem
Term IRIhttp://rs.tdwg.org/dwc/terms/verbatimCoordinateSystem
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/verbatimCoordinateSystem-2017-10-06
LabelVerbatim Coordinate System
DefinitionThe spatial coordinate system for the verbatimLatitude and verbatimLongitude or the verbatimCoordinates of the Location.
NotesRecommended best practice is to use a controlled vocabulary.
Examples`decimal degrees`, `degrees decimal minutes`, `degrees minutes seconds`, `UTM`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:verbatimCoordinateSystem
Term IRIhttp://rs.tdwg.org/dwc/iri/verbatimCoordinateSystem
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/verbatimCoordinateSystem-2015-03-27
LabelVerbatim Coordinate System (IRI)
DefinitionThe spatial coordinate system for the verbatimLatitude and verbatimLongitude or the verbatimCoordinates of the Location.
NotesRecommended best practice is to use a controlled vocabulary. Terms in the dwciri namespace are intended to be used in RDF with non-literal objects.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:verbatimDepth
Term IRIhttp://rs.tdwg.org/dwc/terms/verbatimDepth
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/verbatimDepth-2017-10-06
LabelVerbatim Depth
DefinitionThe original description of the depth below the local surface.
Examples`100-200 m`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:verbatimElevation
Term IRIhttp://rs.tdwg.org/dwc/terms/verbatimElevation
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/verbatimElevation-2017-10-06
LabelVerbatim Elevation
DefinitionThe original description of the elevation (altitude, usually above sea level) of the Location.
Examples`100-200 m`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:verbatimEventDate
Term IRIhttp://rs.tdwg.org/dwc/terms/verbatimEventDate
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/verbatimEventDate-2017-10-06
LabelVerbatim EventDate
DefinitionThe verbatim original representation of the date and time information for an Event.
Examples`spring 1910`, `Marzo 2002`, `1999-03-XX`, `17IV1934`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:verbatimLatitude
Term IRIhttp://rs.tdwg.org/dwc/terms/verbatimLatitude
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/verbatimLatitude-2017-10-06
LabelVerbatim Latitude
DefinitionThe verbatim original latitude of the Location. The coordinate ellipsoid, geodeticDatum, or full Spatial Reference System (SRS) for these coordinates should be stored in verbatimSRS and the coordinate system should be stored in verbatimCoordinateSystem.
Examples`41 05 54.03S`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:verbatimLocality
Term IRIhttp://rs.tdwg.org/dwc/terms/verbatimLocality
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/verbatimLocality-2017-10-06
LabelVerbatim Locality
DefinitionThe original textual description of the place.
Examples`25 km NNE Bariloche por R. Nac. 237`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:verbatimLongitude
Term IRIhttp://rs.tdwg.org/dwc/terms/verbatimLongitude
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/verbatimLongitude-2017-10-06
LabelVerbatim Longitude
DefinitionThe verbatim original longitude of the Location. The coordinate ellipsoid, geodeticDatum, or full Spatial Reference System (SRS) for these coordinates should be stored in verbatimSRS and the coordinate system should be stored in verbatimCoordinateSystem.
Examples`121d 10' 34" W`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:verbatimScientificNameRank
Term IRIhttp://rs.tdwg.org/dwc/terms/verbatimScientificNameRank
Modified2009-09-21
LabelVerbatim Scientific Name Rank
This term is deprecated and should no longer be used.
Is replaced byhttp://rs.tdwg.org/dwc/terms/verbatimTaxonRank
DefinitionThe taxonomic rank of the most specific name in the scientificName as it appears in the original record.
NotesExamples: "Agamospecies", "sub-lesus", "prole", "apomict", "nothogrex".
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:verbatimSRS
Term IRIhttp://rs.tdwg.org/dwc/terms/verbatimSRS
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/verbatimSRS-2017-10-06
LabelVerbatim SRS
DefinitionThe ellipsoid, geodetic datum, or spatial reference system (SRS) upon which coordinates given in verbatimLatitude and verbatimLongitude, or verbatimCoordinates are based.
NotesRecommended best practice is to use the EPSG code of the SRS, if known. Otherwise use a controlled vocabulary for the name or code of the geodetic datum, if known. Otherwise use a controlled vocabulary for the name or code of the ellipsoid, if known. If none of these is known, use the value `unknown`.
Examples`unknown`, `EPSG:4326`, `WGS84`, `NAD27`, `Campo Inchauspe`, `European 1950`, `Clarke 1866`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwciri:verbatimSRS
Term IRIhttp://rs.tdwg.org/dwc/iri/verbatimSRS
Modified2015-03-27
Term version IRIhttp://rs.tdwg.org/dwc/iri/version/verbatimSRS-2015-03-27
LabelVerbatim SRS (IRI)
DefinitionThe ellipsoid, geodetic datum, or spatial reference system (SRS) upon which coordinates given in verbatimLatitude and verbatimLongitude, or verbatimCoordinates are based.
NotesRecommended best practice is to use an IRI for the EPSG code of the SRS, if known. Otherwise use a controlled vocabulary IRI for the name or code of the geodetic datum, if known. Otherwise use a controlled vocabulary IRI for the name or code of the ellipsoid, if known.
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:verbatimTaxonRank
Term IRIhttp://rs.tdwg.org/dwc/terms/verbatimTaxonRank
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/verbatimTaxonRank-2017-10-06
LabelVerbatim Taxon Rank
DefinitionThe taxonomic rank of the most specific name in the scientificName as it appears in the original record.
Examples`Agamospecies`, `sub-lesus`, `prole`, `apomict`, `nothogrex`, `sp.`, `subsp.`, `var.`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:vernacularName
Term IRIhttp://rs.tdwg.org/dwc/terms/vernacularName
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/vernacularName-2017-10-06
LabelVernacular Name
DefinitionA common or vernacular name.
Examples`Andean Condor`, `Condor Andino`, `American Eagle`, `Gänsegeier`
TypeProperty
Executive Committee decisionhttp://rs.tdwg.org/decisions/decision-2019-12-01_19
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:waterBody
Term IRIhttp://rs.tdwg.org/dwc/terms/waterBody
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/waterBody-2017-10-06
LabelWater Body
DefinitionThe name of the water body in which the Location occurs.
NotesRecommended best practice is to use a controlled vocabulary such as the Getty Thesaurus of Geographic Names.
Examples`Indian Ocean`, `Baltic Sea`, `Hudson River`, `Lago Nahuel Huapi`
TypeProperty
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Term Name dwc:year
Term IRIhttp://rs.tdwg.org/dwc/terms/year
Modified2017-10-06
Term version IRIhttp://rs.tdwg.org/dwc/terms/version/year-2017-10-06
LabelYear
DefinitionThe four-digit year in which the Event occurred, according to the Common Era Calendar.
Examples`1160`, `2008`
TypeProperty
+ +