diff --git a/.github/workflows/test.yml b/.github/workflows/test.yml index 48dada65..1ba9a5f7 100644 --- a/.github/workflows/test.yml +++ b/.github/workflows/test.yml @@ -12,7 +12,7 @@ jobs: runs-on: ubuntu-latest strategy: matrix: - python-version: [ '3.8' ] + python-version: [ '3.11' ] steps: - uses: actions/checkout@v2 - name: Set up Python ${{ matrix.python-version }} @@ -22,7 +22,6 @@ jobs: - name: Install dependencies run: | python -m pip install --upgrade pip - pip install "numpy<1.19.0" pip install -r test_requirements.txt pip install pytest-cov - name: Test with pytest diff --git a/.gitignore b/.gitignore index defd38ec..e1f03f6f 100644 --- a/.gitignore +++ b/.gitignore @@ -7,3 +7,5 @@ aodntools/_version.py # PyCharm settings .idea +/build +/.eggs diff --git a/aodntools/ncwriter/schema.py b/aodntools/ncwriter/schema.py index 4a2dd579..f4ac6b9f 100644 --- a/aodntools/ncwriter/schema.py +++ b/aodntools/ncwriter/schema.py @@ -1,22 +1,26 @@ """This module holds schema definitions for validating the various :py:class:`dicts` that make up parts of a template, and also the helper functions necessary to validate an object against their respective schema. """ - import json - import numpy as np from jsonschema import validators, Draft4Validator, FormatChecker, ValidationError from pkg_resources import resource_filename +# helper function that will later be used to tell the schema validator how to validate objects of type "array" +def is_array(checker, instance): + return isinstance(instance, (list, np.ndarray)) -# Create a new validator class (based on Draft4Validator) to allow templates to use -# * Python types or numpy dtypes to specify variable data types; and -# * numpy arrays to specify variable data. -TemplateValidator = validators.create(meta_schema=Draft4Validator.META_SCHEMA, - validators=Draft4Validator.VALIDATORS) -format_checker = FormatChecker() +# Extend the default type checker by redefining "array" +# whenever a schema expects a value of type "array", it will now use the is_array function to check if the value is acceptable. +custom_type_checker = Draft4Validator.TYPE_CHECKER.redefine("array", is_array) +# Create a custom validator that uses the new type checker. +# any validation performed with CustomValidator will use the custom array checker +CustomValidator = validators.extend(Draft4Validator, type_checker=custom_type_checker) +format_checker = FormatChecker() +# Define a custom format checker +# called when a JSON schema specifies that a value should have the format "datatype" @format_checker.checks('datatype') def is_python_datatype(value): """Return whether the given value is a valid data type specification for a NetCDF variable""" @@ -24,32 +28,30 @@ def is_python_datatype(value): return True if isinstance(value, type): return issubclass(value, np.number) - return False - -TYPES = {'array': (list, np.ndarray)} - +# Load JSON schema file TEMPLATE_SCHEMA_JSON = resource_filename(__name__, 'template_schema.json') with open(TEMPLATE_SCHEMA_JSON) as f: TEMPLATE_SCHEMA = json.load(f) -TemplateValidator.check_schema(TEMPLATE_SCHEMA) -template_validator = TemplateValidator(TEMPLATE_SCHEMA, types=TYPES, format_checker=format_checker) +# Use the custom validator to check it is valid according to Draft 4 rules +CustomValidator.check_schema(TEMPLATE_SCHEMA) + +# ready-to-use validator that applies both custom type and format checks +template_validator = CustomValidator(TEMPLATE_SCHEMA, format_checker=format_checker) +# Validation checks def validate_template(t): template_validator.validate(t) - def validate_dimensions(d): validate_template({'_dimensions': d}) - def validate_variables(v): validate_template({'_variables': v}) - - + def validate_global_attributes(a): if hasattr(a, 'keys'): special = [k for k in a.keys() if k.startswith('_')] diff --git a/aodntools/ncwriter/template.py b/aodntools/ncwriter/template.py index 62c6c455..6742e0a7 100644 --- a/aodntools/ncwriter/template.py +++ b/aodntools/ncwriter/template.py @@ -298,7 +298,7 @@ def create_variables(self, **kwargs): # variable attributes to convert to the same type as the variable # datatype - varattrs_to_convert_to_datatype = ['valid_min', 'valid_max', 'valid_range'] + varattrs_to_convert_to_datatype = ['valid_min', 'valid_max', 'valid_range', 'flag_values'] for varname, varattr in self.variables.items(): if not varattr['_dimensions']: # no kwargs in createVariable diff --git a/aodntools/timeseries_products/common.py b/aodntools/timeseries_products/common.py index 75c75f2d..14c399b0 100644 --- a/aodntools/timeseries_products/common.py +++ b/aodntools/timeseries_products/common.py @@ -2,6 +2,7 @@ from datetime import datetime, timezone import numpy as np +import xarray as xr # Common date/time format strings TIMESTAMP_FORMAT = '%Y-%m-%dT%H:%M:%SZ' @@ -179,7 +180,7 @@ def in_water_index(nc): """ time_deployment_start = np.datetime64(nc.attrs['time_deployment_start'][:-1]) time_deployment_end = np.datetime64(nc.attrs['time_deployment_end'][:-1]) - TIME = nc['TIME'][:] + TIME = nc['TIME'].values return (TIME >= time_deployment_start) & (TIME <= time_deployment_end) def in_water(nc): @@ -189,8 +190,11 @@ def in_water(nc): :param nc: xarray dataset :return: xarray dataset """ - return nc.where(in_water_index(nc), drop=True) - + condition = in_water_index(nc) # NumPy boolean array + # Get the integer indices where condition is True. + indices = np.nonzero(condition)[0] + # Use positional indexing to select the TIME entries that satisfy the condition. + return nc.isel(TIME=indices) def current_utc_timestamp(format=TIMESTAMP_FORMAT): return datetime.now(timezone.utc).strftime(format) diff --git a/aodntools/timeseries_products/hourly_timeseries.py b/aodntools/timeseries_products/hourly_timeseries.py index bc079534..7f23db26 100644 --- a/aodntools/timeseries_products/hourly_timeseries.py +++ b/aodntools/timeseries_products/hourly_timeseries.py @@ -30,27 +30,27 @@ def check_files(file_list, site_code, parameter_names_accepted, input_dir=''): :param input_dir: base path where source files are stored :return: dictionary with the file name and list of failed tests, list good files chronologically ordered """ - - file_list_dataframe = pd.DataFrame(columns=["url", "deployment_date"]) + rows = [] error_dict = {} for file in file_list: with xr.open_dataset(os.path.join(input_dir, file)) as nc: error_list = check_file(nc, site_code, parameter_names_accepted) if error_list: - error_dict.update({file: error_list}) + error_dict[file] = error_list else: - file_list_dataframe = file_list_dataframe.append({'url': file, - 'deployment_date': parse(nc.time_deployment_start)}, - ignore_index=True) + rows.append({ + 'url': file, + 'deployment_date': parse(nc.time_deployment_start) + }) + file_list_dataframe = pd.DataFrame(rows, columns=["url", "deployment_date"]) file_list_dataframe = file_list_dataframe.sort_values(by='deployment_date') - file_list = file_list_dataframe['url'].to_list() - if file_list == []: + sorted_files = file_list_dataframe['url'].to_list() + if not sorted_files: raise NoInputFilesError("no valid input files to aggregate") - return file_list, error_dict - + return sorted_files, error_dict def get_parameter_names(nc): @@ -308,7 +308,7 @@ def PDresample_by_hour(df, function_dict, function_stats): df_data = pd.DataFrame(index=pd.DatetimeIndex([])) for variable in varnames: ds_var = df[variable] - ds_var_resample = ds_var.resample('1H', base=0.5) # shift by half hour to centre bin on the hour + ds_var_resample = ds_var.resample('1h', offset='30min') # shift by half hour to centre bin on the hour ds_var_mean = ds_var_resample.apply(function_dict[variable]).astype(np.float32) df_data = pd.concat([df_data, ds_var_mean], axis=1, sort=False) for stat_method in function_stats: @@ -366,8 +366,6 @@ def hourly_aggregator(files_to_aggregate, site_code, qcflags, input_dir='', outp variable_attribute_dictionary = json.load(json_file)['_variables'] df_data = pd.DataFrame() - - ## create empty DF with dtypes metadata_df_types = [('source_file', str), ('instrument_id', str), @@ -380,6 +378,7 @@ def hourly_aggregator(files_to_aggregate, site_code, qcflags, input_dir='', outp parameter_names_all = [] applied_offset = [] qc_count_all = {} + metadata_rows = [] for file_index, file in enumerate(files_to_aggregate): print(file_index) @@ -398,13 +397,16 @@ def hourly_aggregator(files_to_aggregate, site_code, qcflags, input_dir='', outp qc_count = get_QCcount(nc_clean, qcflags) qc_count_all = update_QCcount(qc_count_all, qc_count) nc_clean = good_data_only(nc_clean, qcflags) # good quality data only - df_metadata = df_metadata.append({'source_file': file, - 'instrument_id': utils.get_instrument_id(nc), - 'LONGITUDE': nc.LONGITUDE.squeeze().values, - 'LATITUDE': nc.LATITUDE.squeeze().values, - 'NOMINAL_DEPTH': get_nominal_depth(nc)}, - ignore_index=True) - + + # Append a new row as a dictionary to the list. + metadata_rows.append({ + 'source_file': file, + 'instrument_id': utils.get_instrument_id(nc), + 'LONGITUDE': nc.LONGITUDE.squeeze().values, + 'LATITUDE': nc.LATITUDE.squeeze().values, + 'NOMINAL_DEPTH': get_nominal_depth(nc) + }) + # If TIME had out-of-range values before cleaning, nc_clean would now have a CFTimeIndex, which # breaks the resampling further down. Here we reset it to a DatetimeIndex as suggested here: # https://stackoverflow.com/questions/55786995/converting-cftime-datetimejulian-to-datetime/55787899#55787899 @@ -421,6 +423,7 @@ def hourly_aggregator(files_to_aggregate, site_code, qcflags, input_dir='', outp df_temp['instrument_index'] = np.repeat(file_index, len(df_temp)).astype(np.int32) df_data = pd.concat([df_data, df_temp.reset_index()], ignore_index=True, sort=False) + df_metadata = pd.DataFrame(metadata_rows, columns=['source_file', 'instrument_id', 'LONGITUDE', 'LATITUDE', 'NOMINAL_DEPTH']) df_metadata.index.rename('INSTRUMENT', inplace=True) df_data.index.rename('OBSERVATION', inplace=True) ## rename index to TIME diff --git a/aodntools/timeseries_products/velocity_hourly_timeseries.py b/aodntools/timeseries_products/velocity_hourly_timeseries.py index fd12b497..9a7e4911 100644 --- a/aodntools/timeseries_products/velocity_hourly_timeseries.py +++ b/aodntools/timeseries_products/velocity_hourly_timeseries.py @@ -58,7 +58,7 @@ def append_resampled_values(nc_cell, ds, slice_start, binning_functions): # shift the index forward 30min to centre the bins on the hour df_cell.index = df_cell.index + pd.Timedelta(minutes=30) - df_cell_1H = df_cell.resample('1H') + df_cell_1H = df_cell.resample('1h') slice_end = len(df_cell_1H) + slice_start # set binned timestamps diff --git a/aodntools/vocab/__init__.py b/aodntools/vocab/__init__.py new file mode 100644 index 00000000..56d20325 --- /dev/null +++ b/aodntools/vocab/__init__.py @@ -0,0 +1,7 @@ +from .platform_code_vocab import PlatformVocabHelper, platform_altlabels_per_preflabel, platform_type_uris_by_category + +__all__ = [ + 'PlatformVocabHelper', + 'platform_altlabels_per_preflabel', + 'platform_type_uris_by_category' +] diff --git a/aodntools/vocab/platform_code_vocab.py b/aodntools/vocab/platform_code_vocab.py new file mode 100644 index 00000000..dc92a78a --- /dev/null +++ b/aodntools/vocab/platform_code_vocab.py @@ -0,0 +1,149 @@ +""" +Find the platform_code platform_name equivalence from poolparty platform vocab +xml file stored in content.aodn.org.au + +How to use: + from platform_code_vocab import * + + platform_altlabels_per_preflabel() + platform_type_uris_by_category() + platform_altlabels_per_preflabel('Fixed station') + platform_altlabels_per_preflabel('Mooring and buoy') + platform_altlabels_per_preflabel('Vessel') + +author : Besnard, Laurent +""" + +import warnings +from urllib.request import urlopen +import xml.etree.ElementTree as ET + +DEFAULT_PLATFORM_CAT_VOCAB_URL = 'http://content.aodn.org.au/Vocabularies/platform-category/aodn_aodn-platform-category-vocabulary.rdf' +DEFAULT_PLATFORM_VOCAB_URL = 'http://content.aodn.org.au/Vocabularies/platform/aodn_aodn-platform-vocabulary.rdf' + + +def platform_type_uris_by_category(platform_cat_vocab_url=DEFAULT_PLATFORM_CAT_VOCAB_URL): + """DEPRECATED: this provides compatibility for existing code, until it is refactored to use the class-based interface + + :param platform_cat_vocab_url: + :return: + """ + helper = PlatformVocabHelper(DEFAULT_PLATFORM_VOCAB_URL, platform_cat_vocab_url) + return helper.platform_type_uris_by_category() + + +def platform_altlabels_per_preflabel(category_name, platform_vocab_url=DEFAULT_PLATFORM_VOCAB_URL): + """DEPRECATED: this provides compatibility for existing code, until it is refactored to use the class-based interface + + :param category_name: + :param platform_vocab_url: + :return: + """ + helper = PlatformVocabHelper(platform_vocab_url, DEFAULT_PLATFORM_CAT_VOCAB_URL) + return helper.platform_altlabels_per_preflabel(category_name) + + +class PlatformVocabHelper(object): + def __init__(self, platform_vocab_url, platform_cat_vocab_url): + self.platform_vocab_url = platform_vocab_url + self.platform_cat_vocab_url = platform_cat_vocab_url + + def platform_type_uris_by_category(self): + """ + retrieves a list of platform category and their narrowMatch url type which + defines their category + """ + response = urlopen(self.platform_cat_vocab_url) + html = response.read() + root = ET.fromstring(html) + platform_cat_list = {} + + for item in root: + if 'Description' in item.tag: + platform_cat_url_list = [] + platform_cat = None + + for val in item: + platform_element_sublabels = val.tag + + # handle more than 1 url match per category of platform + if platform_element_sublabels is not None: + if 'narrowMatch' in platform_element_sublabels: + val_cat_url = list(val.attrib.values())[0] + platform_cat_url_list.append(val_cat_url) + + elif 'prefLabel' in platform_element_sublabels: + platform_cat = val.text + + if platform_cat is not None and platform_cat_url_list: + platform_cat_list[platform_cat] = platform_cat_url_list + + response.close() + return platform_cat_list + + def platform_altlabels_per_preflabel(self, category_name): + """ + retrieves a list of platform code - platform name dictionnary. + The function can either retrieves ALL platform codes, or only platform codes + for a specific category, which can be found in platform_type_uris_by_category() + + Example: + platform_altlabels_per_preflabel() + platform_altlabels_per_preflabel('Vessel') + """ + response = urlopen(self.platform_vocab_url) + html = response.read() + root = ET.fromstring(html) + platform = {} + filter_cat_type = False + + if category_name: + # a platform category is defined by a list of urls. + # first we check the category exist in the category list, secondly we + # get the list of url vocab attached to this category + filter_cat_name = category_name + filter_cat_list = self.platform_type_uris_by_category() + if filter_cat_name in filter_cat_list.keys(): + filter_cat_url_list = filter_cat_list[filter_cat_name] + filter_cat_type = True + else: + warnings.warn("Platform category %s not in platform category vocabulary" % filter_cat_name) + + for item in root: + # main element name we're interested in + if 'Description' in item.tag: + # for every element, iterate over the sub elements and look for + # common platform label + platform_code = [] + platform_name = None + platform_url_cat = None + + for val in item: + platform_element_sublabels = val.tag + + # handle more than 1 alternative label for same pref label + if platform_element_sublabels is not None: + if 'altLabel' in platform_element_sublabels: + platform_code.append(val.text) + + elif 'prefLabel' in platform_element_sublabels: + platform_name = val.text + + elif 'broader' in platform_element_sublabels: + val_cat_url = list(val.attrib.values())[0] + platform_url_cat = val_cat_url + + # use the optional argument + if filter_cat_type: + if platform_url_cat in filter_cat_url_list: + if platform_name is not None and platform_code: + for platform_code_item in platform_code: + platform[platform_code_item] = platform_name + + else: + if platform_name is not None and platform_code: + for platform_code_item in platform_code: + platform[platform_code_item] = platform_name + + response.close() + return platform diff --git a/aodntools/vocab/xbt_line_vocab.py b/aodntools/vocab/xbt_line_vocab.py new file mode 100644 index 00000000..5157945f --- /dev/null +++ b/aodntools/vocab/xbt_line_vocab.py @@ -0,0 +1,59 @@ +""" +Parse XBT line vocabulary from vocabs.ands.org.au +""" + +import os +import urllib.request, urllib.error, urllib.parse +import xml.etree.ElementTree as ET +try: + from functools import lru_cache +except ImportError: # pragma: no cover + from functools32 import lru_cache + +DEFAULT_XBT_LINE_VOCAB_URL = 'http://content.aodn.org.au/Vocabularies/XBT-line/aodn_aodn-xbt-line-vocabulary.rdf' + +class XbtLineVocabHelper(object): + def __init__(self, xbt_line_vocab_url): + self.xbt_line_vocab_url = xbt_line_vocab_url + + @lru_cache(maxsize=32) + def xbt_line_info(self): + """ + retrieves a dictionary of xbt line codes with their IMOS code equivalent if available + """ + response = urllib.request.urlopen(self.xbt_line_vocab_url) + html = response.read() + root = ET.fromstring(html) + + xbt_dict = {} + + for item in root: + if 'Description' in item.tag: + xbt_line_code = None # xbt_line_code + xbt_line_pref_label = None # xbt_line_code IMOS preferred value + xbt_line_alt_label = None # xbt line description, sometimes multiple altlabels such as AX01, + # AX10, but these are not used by IMOS/AODN, so no need to make the code more complicated + + for val in item: + platform_element_sublabels = val.tag + if platform_element_sublabels is not None: + if 'prefLabel' in platform_element_sublabels: + xbt_line_pref_label = val.text + if 'code' in platform_element_sublabels: + xbt_line_code = val.text + if 'altLabel' in platform_element_sublabels: # + xbt_line_alt_label = val.text + + if xbt_line_code is None and xbt_line_pref_label is not None: + xbt_dict[xbt_line_pref_label] = ({ + 'xbt_pref_label': xbt_line_pref_label, + 'xbt_line_description': xbt_line_alt_label + }) + elif xbt_line_code is not None: + xbt_dict[xbt_line_code] = ({ + 'xbt_pref_label': xbt_line_pref_label, + 'xbt_line_description': xbt_line_alt_label + }) + + response.close() + return xbt_dict \ No newline at end of file diff --git a/constraints.txt b/constraints.txt index c14b9998..e69de29b 100644 --- a/constraints.txt +++ b/constraints.txt @@ -1,4 +0,0 @@ -cftime<1.1.1;python_version=='3.5' -netCDF4<1.5.4;python_version=='3.5' -pandas<0.25.0;python_version=='3.5' -xarray<0.14.0;python_version=='3.5' diff --git a/examples/rottnest.py b/examples/rottnest.py index 41d6e0d6..e215dbb6 100644 --- a/examples/rottnest.py +++ b/examples/rottnest.py @@ -46,7 +46,8 @@ var_type = var['_datatype'] for attr in ('valid_min', 'valid_max'): if attr in var: - var[attr] = np.cast[var_type](var[attr]) + var[attr] = np.array(var[attr], dtype=var_type) + # update range attributes template.add_extent_attributes() diff --git a/setup.py b/setup.py index cbe40b92..5ff7f23f 100644 --- a/setup.py +++ b/setup.py @@ -1,11 +1,11 @@ from setuptools import setup, find_packages INSTALL_REQUIRES = [ - 'jsonschema>=2.6.0,<3.0.0', - 'numpy>=1.13.0', - 'netCDF4>=1.5.3', - 'pandas>=0.24.2', - 'xarray>=0.11.3' + 'jsonschema>=4.23.0', + 'numpy>=2.2.4', + 'netCDF4>=1.7.2', + 'pandas>=2.2.3', + 'xarray>=2023.1.0' ] TESTS_REQUIRE = [ @@ -37,7 +37,7 @@ author_email='projectofficers@emii.org.au', description='AODN data tools library', zip_safe=False, - python_requires='>=3.5', + python_requires='>=3.11, <3.12', install_requires=INSTALL_REQUIRES, tests_require=TESTS_REQUIRE, extras_require=EXTRAS_REQUIRE, @@ -49,8 +49,7 @@ 'License :: OSI Approved :: GNU General Public License v3 (GPLv3)', 'Programming Language :: Python', 'Programming Language :: Python :: 3', - 'Programming Language :: Python :: 3.5', - 'Programming Language :: Python :: 3.6', + 'Programming Language :: Python :: 3.11', 'Programming Language :: Python :: Implementation :: CPython', ] ) diff --git a/test_aodntools/timeseries_products/IMOS_ANMN-AM_GST_20190419T100000Z_NRSMAI_FV01_NRSMAI-CO2-1904-delayed_END-20190531T020000Z_C-20200625T000000Z.nc b/test_aodntools/timeseries_products/IMOS_ANMN-AM_GST_20190419T100000Z_NRSMAI_FV01_NRSMAI-CO2-1904-delayed_END-20190531T020000Z_C-20200625T000000Z.nc deleted file mode 100644 index c16396ed..00000000 Binary files a/test_aodntools/timeseries_products/IMOS_ANMN-AM_GST_20190419T100000Z_NRSMAI_FV01_NRSMAI-CO2-1904-delayed_END-20190531T020000Z_C-20200625T000000Z.nc and /dev/null differ diff --git a/test_aodntools/timeseries_products/IMOS_ANMN-NRS_ADCP_LAT_LON_DIMS.nc b/test_aodntools/timeseries_products/IMOS_ANMN-NRS_ADCP_LAT_LON_DIMS.nc deleted file mode 100644 index 05787373..00000000 Binary files a/test_aodntools/timeseries_products/IMOS_ANMN-NRS_ADCP_LAT_LON_DIMS.nc and /dev/null differ diff --git a/test_aodntools/timeseries_products/IMOS_ANMN-NRS_ADCP_SINGLE_TIMESTAMP.nc b/test_aodntools/timeseries_products/IMOS_ANMN-NRS_ADCP_SINGLE_TIMESTAMP.nc deleted file mode 100644 index 62bc5d6d..00000000 Binary files a/test_aodntools/timeseries_products/IMOS_ANMN-NRS_ADCP_SINGLE_TIMESTAMP.nc and /dev/null differ diff --git a/test_aodntools/timeseries_products/IMOS_ANMN-NRS_AETVZ_20180816T080000Z_NRSROT-ADCP_FV01_NRSROT-ADCP-1808-Sentinel-or-Monitor-Workhorse-ADCP-44_END-20180822T053000Z_C-20200623T000000Z.nc b/test_aodntools/timeseries_products/IMOS_ANMN-NRS_AETVZ_20180816T080000Z_NRSROT-ADCP_FV01_NRSROT-ADCP-1808-Sentinel-or-Monitor-Workhorse-ADCP-44_END-20180822T053000Z_C-20200623T000000Z.nc deleted file mode 100644 index b8a14a47..00000000 Binary files a/test_aodntools/timeseries_products/IMOS_ANMN-NRS_AETVZ_20180816T080000Z_NRSROT-ADCP_FV01_NRSROT-ADCP-1808-Sentinel-or-Monitor-Workhorse-ADCP-44_END-20180822T053000Z_C-20200623T000000Z.nc and /dev/null differ diff --git a/test_aodntools/timeseries_products/IMOS_ANMN-NRS_AETVZ_20181213T080000Z_NRSROT-ADCP_FV01_NRSROT-ADCP-1812-Sentinel-or-Monitor-Workhorse-ADCP-44_END-20181215T100000Z_C-20200430T000000Z.nc b/test_aodntools/timeseries_products/IMOS_ANMN-NRS_AETVZ_20181213T080000Z_NRSROT-ADCP_FV01_NRSROT-ADCP-1812-Sentinel-or-Monitor-Workhorse-ADCP-44_END-20181215T100000Z_C-20200430T000000Z.nc deleted file mode 100644 index b63d1cf1..00000000 Binary files a/test_aodntools/timeseries_products/IMOS_ANMN-NRS_AETVZ_20181213T080000Z_NRSROT-ADCP_FV01_NRSROT-ADCP-1812-Sentinel-or-Monitor-Workhorse-ADCP-44_END-20181215T100000Z_C-20200430T000000Z.nc and /dev/null differ diff --git a/test_aodntools/timeseries_products/IMOS_ANMN-NRS_AETVZ_20191016T080000Z_NRSROT-ADCP_FV01_NRSROT-ADCP-1910-Sentinel-or-Monitor-Workhorse-ADCP-44_END-20191018T100000Z_C-20200430T000000Z.nc b/test_aodntools/timeseries_products/IMOS_ANMN-NRS_AETVZ_20191016T080000Z_NRSROT-ADCP_FV01_NRSROT-ADCP-1910-Sentinel-or-Monitor-Workhorse-ADCP-44_END-20191018T100000Z_C-20200430T000000Z.nc deleted file mode 100644 index 44b87285..00000000 Binary files a/test_aodntools/timeseries_products/IMOS_ANMN-NRS_AETVZ_20191016T080000Z_NRSROT-ADCP_FV01_NRSROT-ADCP-1910-Sentinel-or-Monitor-Workhorse-ADCP-44_END-20191018T100000Z_C-20200430T000000Z.nc and /dev/null differ diff --git a/test_aodntools/timeseries_products/IMOS_ANMN-NRS_BAD_VELOCITY_FILE.nc b/test_aodntools/timeseries_products/IMOS_ANMN-NRS_BAD_VELOCITY_FILE.nc deleted file mode 100644 index 88cc22f5..00000000 Binary files a/test_aodntools/timeseries_products/IMOS_ANMN-NRS_BAD_VELOCITY_FILE.nc and /dev/null differ diff --git a/test_aodntools/timeseries_products/IMOS_ANMN-NRS_BCKOSTUZ_20181213T080038Z_NRSROT_FV01_NRSROT-1812-WQM-55_END-20181215T013118Z_C-20190828T000000Z.nc b/test_aodntools/timeseries_products/IMOS_ANMN-NRS_BCKOSTUZ_20181213T080038Z_NRSROT_FV01_NRSROT-1812-WQM-55_END-20181215T013118Z_C-20190828T000000Z.nc deleted file mode 100644 index 666b8b93..00000000 Binary files a/test_aodntools/timeseries_products/IMOS_ANMN-NRS_BCKOSTUZ_20181213T080038Z_NRSROT_FV01_NRSROT-1812-WQM-55_END-20181215T013118Z_C-20190828T000000Z.nc and /dev/null differ diff --git a/test_aodntools/timeseries_products/IMOS_ANMN-NRS_STZ_20181213_NRSROT_FV02_hourly-timeseries_END-20190523_C-20220428.nc b/test_aodntools/timeseries_products/IMOS_ANMN-NRS_STZ_20181213_NRSROT_FV02_hourly-timeseries_END-20190523_C-20220428.nc deleted file mode 100644 index 07d69529..00000000 Binary files a/test_aodntools/timeseries_products/IMOS_ANMN-NRS_STZ_20181213_NRSROT_FV02_hourly-timeseries_END-20190523_C-20220428.nc and /dev/null differ diff --git a/test_aodntools/timeseries_products/IMOS_ANMN-NRS_TZ_20181213T080000Z_NRSROT_FV00_NRSROT-1812-SBE39-43_END-20181214T004000Z_C-20190827T000000Z.nc b/test_aodntools/timeseries_products/IMOS_ANMN-NRS_TZ_20181213T080000Z_NRSROT_FV00_NRSROT-1812-SBE39-43_END-20181214T004000Z_C-20190827T000000Z.nc deleted file mode 100644 index fc46728a..00000000 Binary files a/test_aodntools/timeseries_products/IMOS_ANMN-NRS_TZ_20181213T080000Z_NRSROT_FV00_NRSROT-1812-SBE39-43_END-20181214T004000Z_C-20190827T000000Z.nc and /dev/null differ diff --git a/test_aodntools/timeseries_products/IMOS_ANMN-NRS_TZ_20181213T080000Z_NRSROT_FV01_NRSROT-1812-SBE39-23_END-20190306T160000Z_C-20190827T000000Z.nc b/test_aodntools/timeseries_products/IMOS_ANMN-NRS_TZ_20181213T080000Z_NRSROT_FV01_NRSROT-1812-SBE39-23_END-20190306T160000Z_C-20190827T000000Z.nc deleted file mode 100644 index a1edbe36..00000000 Binary files a/test_aodntools/timeseries_products/IMOS_ANMN-NRS_TZ_20181213T080000Z_NRSROT_FV01_NRSROT-1812-SBE39-23_END-20190306T160000Z_C-20190827T000000Z.nc and /dev/null differ diff --git a/test_aodntools/timeseries_products/IMOS_ANMN-NRS_TZ_20181213_NRSROT_FV01_TEMP-aggregated-timeseries_END-20190523_C-20220607.nc b/test_aodntools/timeseries_products/IMOS_ANMN-NRS_TZ_20181213_NRSROT_FV01_TEMP-aggregated-timeseries_END-20190523_C-20220607.nc deleted file mode 100644 index 32060f31..00000000 Binary files a/test_aodntools/timeseries_products/IMOS_ANMN-NRS_TZ_20181213_NRSROT_FV01_TEMP-aggregated-timeseries_END-20190523_C-20220607.nc and /dev/null differ diff --git a/test_aodntools/timeseries_products/IMOS_ANMN-NRS_TZ_20190313T144000Z_NRSROT_FV01_NRSROT-1903-SBE39-27_END-20190524T010000Z_C-20190827T000000Z.nc b/test_aodntools/timeseries_products/IMOS_ANMN-NRS_TZ_20190313T144000Z_NRSROT_FV01_NRSROT-1903-SBE39-27_END-20190524T010000Z_C-20190827T000000Z.nc deleted file mode 100644 index 229ea6b1..00000000 Binary files a/test_aodntools/timeseries_products/IMOS_ANMN-NRS_TZ_20190313T144000Z_NRSROT_FV01_NRSROT-1903-SBE39-27_END-20190524T010000Z_C-20190827T000000Z.nc and /dev/null differ diff --git a/test_aodntools/timeseries_products/IMOS_ANMN-NRS_VZ_20180816_NRSROT_FV01_velocity-aggregated-timeseries_END-20191018_C-20200623.nc b/test_aodntools/timeseries_products/IMOS_ANMN-NRS_VZ_20180816_NRSROT_FV01_velocity-aggregated-timeseries_END-20191018_C-20200623.nc deleted file mode 100644 index 14c0539e..00000000 Binary files a/test_aodntools/timeseries_products/IMOS_ANMN-NRS_VZ_20180816_NRSROT_FV01_velocity-aggregated-timeseries_END-20191018_C-20200623.nc and /dev/null differ diff --git a/test_aodntools/timeseries_products/IMOS_ANMN-NRS_VZ_20180816_NRSROT_FV02_velocity-hourly-timeseries_END-20191018_C-20220608.nc b/test_aodntools/timeseries_products/IMOS_ANMN-NRS_VZ_20180816_NRSROT_FV02_velocity-hourly-timeseries_END-20191018_C-20220608.nc deleted file mode 100644 index 06770478..00000000 Binary files a/test_aodntools/timeseries_products/IMOS_ANMN-NRS_VZ_20180816_NRSROT_FV02_velocity-hourly-timeseries_END-20191018_C-20220608.nc and /dev/null differ diff --git a/test_aodntools/timeseries_products/IMOS_ANMN-NSW_TZ_20200703T001500Z_PH100_FV01_PH100-2007-Aqualogger-520T-96_END-20200907T233000Z_C-20210112T044909Z.nc b/test_aodntools/timeseries_products/IMOS_ANMN-NSW_TZ_20200703T001500Z_PH100_FV01_PH100-2007-Aqualogger-520T-96_END-20200907T233000Z_C-20210112T044909Z.nc deleted file mode 100644 index 1fd003aa..00000000 Binary files a/test_aodntools/timeseries_products/IMOS_ANMN-NSW_TZ_20200703T001500Z_PH100_FV01_PH100-2007-Aqualogger-520T-96_END-20200907T233000Z_C-20210112T044909Z.nc and /dev/null differ diff --git a/test_aodntools/timeseries_products/IMOS_ANMN-NSW_TZ_PH100_ALL_FLAGGED_BAD.nc b/test_aodntools/timeseries_products/IMOS_ANMN-NSW_TZ_PH100_ALL_FLAGGED_BAD.nc deleted file mode 100644 index b9015e4c..00000000 Binary files a/test_aodntools/timeseries_products/IMOS_ANMN-NSW_TZ_PH100_ALL_FLAGGED_BAD.nc and /dev/null differ diff --git a/test_aodntools/timeseries_products/IMOS_ANMN-NSW_TZ_PH100_NO_INWATER_DATA.nc b/test_aodntools/timeseries_products/IMOS_ANMN-NSW_TZ_PH100_NO_INWATER_DATA.nc deleted file mode 100644 index d215f8e5..00000000 Binary files a/test_aodntools/timeseries_products/IMOS_ANMN-NSW_TZ_PH100_NO_INWATER_DATA.nc and /dev/null differ diff --git a/test_aodntools/timeseries_products/IMOS_ANMN-NSW_TZ_SYD100_BAD_TIMESTAMPS.nc b/test_aodntools/timeseries_products/IMOS_ANMN-NSW_TZ_SYD100_BAD_TIMESTAMPS.nc deleted file mode 100644 index de3efb89..00000000 Binary files a/test_aodntools/timeseries_products/IMOS_ANMN-NSW_TZ_SYD100_BAD_TIMESTAMPS.nc and /dev/null differ diff --git a/test_aodntools/timeseries_products/__init__.py b/test_aodntools/timeseries_products/__init__.py deleted file mode 100644 index e69de29b..00000000 diff --git a/test_aodntools/timeseries_products/test_aggregated_timeseries.py b/test_aodntools/timeseries_products/test_aggregated_timeseries.py deleted file mode 100644 index 9f79d6c4..00000000 --- a/test_aodntools/timeseries_products/test_aggregated_timeseries.py +++ /dev/null @@ -1,95 +0,0 @@ -#!/usr/bin/env python3 - -import os -import unittest - -from netCDF4 import Dataset, chartostring - -from aodntools import __version__ -from aodntools.timeseries_products.aggregated_timeseries import main_aggregator -from aodntools.timeseries_products.common import NoInputFilesError -from test_aodntools.base_test import BaseTestCase - -TEST_ROOT = os.path.dirname(__file__) -BAD_FILE = 'IMOS_ANMN-NRS_TZ_20181213T080000Z_NRSROT_FV00_NRSROT-1812-SBE39-43_END-20181214T004000Z_C-20190827T000000Z.nc' -INPUT_FILES = [ - 'IMOS_ANMN-NRS_TZ_20181213T080000Z_NRSROT_FV01_NRSROT-1812-SBE39-23_END-20190306T160000Z_C-20190827T000000Z.nc', - 'IMOS_ANMN-NRS_TZ_20190313T144000Z_NRSROT_FV01_NRSROT-1903-SBE39-27_END-20190524T010000Z_C-20190827T000000Z.nc', - 'IMOS_ANMN-NRS_BCKOSTUZ_20181213T080038Z_NRSROT_FV01_NRSROT-1812-WQM-55_END-20181215T013118Z_C-20190828T000000Z.nc', - BAD_FILE -] - - -class TestAggregatedTimeseries(BaseTestCase): - EXPECTED_OUTPUT_FILE = os.path.join( - TEST_ROOT, 'IMOS_ANMN-NRS_TZ_20181213_NRSROT_FV01_TEMP-aggregated-timeseries_END-20190523_C-20220607.nc' - ) - - def test_main_aggregator(self): - output_file, bad_files = main_aggregator(INPUT_FILES, 'TEMP', 'NRSROT', input_dir=TEST_ROOT, - output_dir='/tmp') - - self.assertEqual(4, len(INPUT_FILES)) - self.assertEqual(1, len(bad_files)) - for file, errors in bad_files.items(): - self.assertEqual(BAD_FILE, file) - self.assertSetEqual(set(errors), {'no NOMINAL_DEPTH', - 'Wrong file version: Level 0 - Raw Data', - 'no time_deployment_start attribute', - 'no time_deployment_end attribute' - } - ) - - dataset = Dataset(output_file) - - # check dimensions and variables - self.assertSetEqual(set(dataset.dimensions), {'OBSERVATION', 'INSTRUMENT', 'strlen'}) - self.assertSetEqual(set(dataset.variables.keys()), - {'TIME', 'LATITUDE', 'LONGITUDE', 'NOMINAL_DEPTH', 'DEPTH', 'DEPTH_quality_control', - 'PRES', 'PRES_quality_control', 'PRES_REL', 'PRES_REL_quality_control', - 'TEMP', 'TEMP_quality_control', 'instrument_index', 'instrument_id', 'source_file'} - ) - - obs_vars = {'TIME', 'DEPTH', 'DEPTH_quality_control', 'PRES', 'PRES_quality_control', - 'PRES_REL', 'PRES_REL_quality_control', 'TEMP', 'TEMP_quality_control', 'instrument_index'} - for var in obs_vars: - self.assertEqual(dataset.variables[var].dimensions, ('OBSERVATION',)) - - inst_vars = {'LATITUDE', 'LONGITUDE', 'NOMINAL_DEPTH'} - for var in inst_vars: - self.assertEqual(dataset.variables[var].dimensions, ('INSTRUMENT',)) - - string_vars = {'source_file', 'instrument_id'} - for var in string_vars: - self.assertEqual(dataset.variables[var].dimensions, ('INSTRUMENT', 'strlen')) - - for f in chartostring(dataset['source_file'][:]): - self.assertIn(f, INPUT_FILES) - - # check attributes - self.assertEqual(__version__, dataset.generating_code_version) - self.assertIn(__version__, dataset.lineage) - self.assertIn(BAD_FILE, dataset.rejected_files) - - self.compare_global_attributes(dataset) - - self.check_nan_values(dataset) - - self.compare_variables(dataset) - - def test_source_file_attributes(self): - output_file, bad_files = main_aggregator(INPUT_FILES, 'PSAL', 'NRSROT', input_dir=TEST_ROOT, - output_dir='/tmp', download_url_prefix='http://test.download.url', - opendap_url_prefix='http://test.opendap.url' - ) - dataset = Dataset(output_file) - self.assertEqual(dataset['source_file'].download_url_prefix, 'http://test.download.url') - self.assertEqual(dataset['source_file'].opendap_url_prefix, 'http://test.opendap.url') - - def test_all_rejected(self): - self.assertRaises(NoInputFilesError, main_aggregator, [BAD_FILE], 'TEMP', 'NRSROT', - input_dir=TEST_ROOT, output_dir='/tmp') - - -if __name__ == '__main__': - unittest.main() diff --git a/test_aodntools/timeseries_products/test_common.py b/test_aodntools/timeseries_products/test_common.py deleted file mode 100644 index 382d553c..00000000 --- a/test_aodntools/timeseries_products/test_common.py +++ /dev/null @@ -1,123 +0,0 @@ -#!/usr/bin/env python3 - -import os -import unittest - -import xarray as xr - -from aodntools.timeseries_products.common import (check_file, check_velocity_file, get_qc_variable_names, - check_imos_flag_conventions, in_water_index, in_water) - -TEST_ROOT = os.path.dirname(__file__) -GOOD_TZ_FILE = os.path.join( - TEST_ROOT, 'IMOS_ANMN-NRS_TZ_20181213T080000Z_NRSROT_FV01_NRSROT-1812-SBE39-23_END-20190306T160000Z_C-20190827T000000Z.nc' -) -GOOD_V_FILE = os.path.join( - TEST_ROOT, 'IMOS_ANMN-NRS_AETVZ_20181213T080000Z_NRSROT-ADCP_FV01_NRSROT-ADCP-1812-Sentinel-or-Monitor-Workhorse-ADCP-44_END-20181215T100000Z_C-20200430T000000Z.nc' -) -BAD_TZ_FILE = os.path.join( - TEST_ROOT, 'IMOS_ANMN-NRS_TZ_20181213T080000Z_NRSROT_FV00_NRSROT-1812-SBE39-43_END-20181214T004000Z_C-20190827T000000Z.nc' -) -BAD_V_FILE = os.path.join( - TEST_ROOT, 'IMOS_ANMN-NRS_BAD_VELOCITY_FILE.nc' -) -AM_FILE = os.path.join( - TEST_ROOT, 'IMOS_ANMN-AM_GST_20190419T100000Z_NRSMAI_FV01_NRSMAI-CO2-1904-delayed_END-20190531T020000Z_C-20200625T000000Z.nc' -) - - -class TestQCVariableFunctions(unittest.TestCase): - def test_get_qc_variable_names(self): - with xr.open_dataset(GOOD_TZ_FILE) as nc: - qc_var = get_qc_variable_names(nc) - self.assertEqual(qc_var, ['DEPTH_quality_control', 'TEMP_quality_control']) - - def test_check_flag_convetions(self): - with xr.open_dataset(GOOD_TZ_FILE) as nc: - self.assertEqual(check_imos_flag_conventions(nc), []) - self.assertEqual(check_imos_flag_conventions(nc, ['NONE']), - ['variable NONE not in file']) - self.assertEqual(check_imos_flag_conventions(nc, ['TEMP']), - ['variable TEMP missing quality_control_conventions']) - - def test_check_flag_conventions_bad(self): - with xr.open_dataset(AM_FILE) as nc: - errors = check_imos_flag_conventions(nc) - self.assertEqual(errors, ['unexpected quality_control_conventions: "WOCE quality control procedure"']) - - -class TestCheckFile(unittest.TestCase): - def test_good_temp_file(self): - with xr.open_dataset(GOOD_TZ_FILE) as nc: - error_list = check_file(nc, 'NRSROT', 'TEMP') - self.assertEqual(error_list, []) - - def test_variable_list(self): - with xr.open_dataset(GOOD_TZ_FILE) as nc: - error_list = check_file(nc, 'NRSROT', ['TEMP', 'PSAL', 'DEPTH']) - self.assertEqual(error_list, []) - - def test_wrong_site_and_var(self): - with xr.open_dataset(GOOD_TZ_FILE) as nc: - error_list = check_file(nc, 'NO_SITE', 'OTHER') - self.assertEqual(set(error_list), {'Wrong site_code: NRSROT', 'no variables to aggregate'}) - - def test_bad_temp_file(self): - with xr.open_dataset(BAD_TZ_FILE) as nc: - error_list = check_file(nc, 'NRSROT', 'TEMP') - self.assertEqual(set(error_list), - {'no NOMINAL_DEPTH', 'Wrong file version: Level 0 - Raw Data', - 'no time_deployment_start attribute', 'no time_deployment_end attribute'} - ) - - def test_good_velocity_file(self): - with xr.open_dataset(GOOD_V_FILE) as nc: - error_list = check_velocity_file(nc, 'NRSROT') - self.assertEqual(error_list, []) - - def test_bad_velocity_file(self): - with xr.open_dataset(BAD_V_FILE) as nc: - error_list = check_velocity_file(nc, 'NWSROW') - self.assertEqual(set(error_list), {'VCUR variable missing', - 'DEPTH variable missing', - "dimension(s) {'DIST_ALONG_BEAMS'} not allowed for UCUR", - 'no in-water data' - } - ) - - def test_am_file(self): - with xr.open_dataset(AM_FILE) as nc: - error_list = check_file(nc, 'NRSMAI', 'TEMP') - self.assertEqual(set(error_list), {'no NOMINAL_DEPTH', - 'no time_deployment_start attribute', - 'no time_deployment_end attribute', - 'unexpected quality_control_conventions: "WOCE quality control procedure"' - } - ) - - -class TestInWater(unittest.TestCase): - def test_in_water_index_ok(self): - with xr.open_dataset(BAD_TZ_FILE) as nc: - nc.attrs['time_deployment_start'] = '2018-12-13T08:00:00Z' - nc.attrs['time_deployment_end'] = '2018-12-14T00:30:00Z' - index = in_water_index(nc) - self.assertTrue(all(index[:-2])) - self.assertFalse(any(index[-2:])) - - def test_in_water_index_bad(self): - with xr.open_dataset(BAD_V_FILE) as nc: - index = in_water_index(nc) - self.assertFalse(all(index)) - - def test_in_water_ok(self): - with xr.open_dataset(BAD_TZ_FILE) as nc: - nc.attrs['time_deployment_start'] = '2018-12-13T08:00:00Z' - nc.attrs['time_deployment_end'] = '2018-12-14T00:30:00Z' - nc_in = in_water(nc) - - self.assertEqual(len(nc_in.TIME), len(nc.TIME) - 2) - self.assertTrue(all(nc_in.TIME.values == nc.TIME[:-2].values)) - -if __name__ == '__main__': - unittest.main() diff --git a/test_aodntools/timeseries_products/test_hourly_timeseries.py b/test_aodntools/timeseries_products/test_hourly_timeseries.py deleted file mode 100644 index 9e6a7d4a..00000000 --- a/test_aodntools/timeseries_products/test_hourly_timeseries.py +++ /dev/null @@ -1,158 +0,0 @@ -#!/usr/bin/env python3 - -import os -import unittest - -from netCDF4 import Dataset, chartostring - -from test_aodntools.base_test import BaseTestCase -from aodntools import __version__ -from aodntools.timeseries_products.common import NoInputFilesError -from aodntools.timeseries_products.hourly_timeseries import hourly_aggregator - - -TEST_ROOT = os.path.dirname(__file__) -BAD_FILE = 'IMOS_ANMN-NRS_TZ_20181213T080000Z_NRSROT_FV00_NRSROT-1812-SBE39-43_END-20181214T004000Z_C-20190827T000000Z.nc' -INPUT_FILES = [ - 'IMOS_ANMN-NRS_BCKOSTUZ_20181213T080038Z_NRSROT_FV01_NRSROT-1812-WQM-55_END-20181215T013118Z_C-20190828T000000Z.nc', - 'IMOS_ANMN-NRS_TZ_20181213T080000Z_NRSROT_FV01_NRSROT-1812-SBE39-23_END-20190306T160000Z_C-20190827T000000Z.nc', - 'IMOS_ANMN-NRS_TZ_20190313T144000Z_NRSROT_FV01_NRSROT-1903-SBE39-27_END-20190524T010000Z_C-20190827T000000Z.nc', - BAD_FILE -] -INPUT_PATHS = [os.path.join(TEST_ROOT, f) for f in INPUT_FILES] - -INST_VARIABLES = {'instrument_id', 'source_file', 'LONGITUDE', 'LATITUDE', 'NOMINAL_DEPTH'} -OBS_VARIABLES = {'instrument_index', 'TIME'} -measured_variables = {'DEPTH', 'CPHL', 'CHLF', 'CHLU', - 'DOX', 'DOX1', 'DOX1_2', 'DOX1_3', 'DOX2', 'DOX2_1', 'DOXS', 'DOXY', - 'PRES', 'PRES_REL', 'PSAL', 'TEMP', 'TURB', 'PAR' - } -function_stats = ['_min', '_max', '_std', '_count'] -for v in measured_variables: - OBS_VARIABLES.add(v) - for s in function_stats: - OBS_VARIABLES.add(v + s) - -NO_INWATER_DATA_FILE = 'IMOS_ANMN-NSW_TZ_PH100_NO_INWATER_DATA.nc' -PH100_FILES = [ - 'IMOS_ANMN-NSW_TZ_20200703T001500Z_PH100_FV01_PH100-2007-Aqualogger-520T-96_END-20200907T233000Z_C-20210112T044909Z.nc', - 'IMOS_ANMN-NSW_TZ_PH100_ALL_FLAGGED_BAD.nc', - NO_INWATER_DATA_FILE -] - -SYD100_FILES = [ - 'IMOS_ANMN-NSW_TZ_SYD100_BAD_TIMESTAMPS.nc', -] - - -class TestHourlyTimeseries(BaseTestCase): - EXPECTED_OUTPUT_FILE = os.path.join( - TEST_ROOT, 'IMOS_ANMN-NRS_STZ_20181213_NRSROT_FV02_hourly-timeseries_END-20190523_C-20220428.nc' - ) - - def test_hourly_aggregator(self): - output_file, bad_files = hourly_aggregator(files_to_aggregate=INPUT_PATHS, - site_code='NRSROT', - qcflags=(1, 2), - output_dir='/tmp' - ) - self.assertRegex(output_file, - r'IMOS_ANMN-NRS_STZ_20181213_NRSROT_FV02_hourly-timeseries_END-20190523_C-\d{8}\.nc' - ) - - self.assertEqual(1, len(bad_files)) - for path, errors in bad_files.items(): - self.assertEqual(os.path.join(TEST_ROOT, BAD_FILE), path) - self.assertSetEqual(set(errors), {'no NOMINAL_DEPTH', - 'Wrong file version: Level 0 - Raw Data', - 'no time_deployment_start attribute', - 'no time_deployment_end attribute' - } - ) - - dataset = Dataset(output_file) - self.assertSetEqual(set(dataset.dimensions), {'OBSERVATION', 'INSTRUMENT', 'string256'}) - self.assertTrue(set(dataset.variables.keys()).issubset(OBS_VARIABLES | INST_VARIABLES)) - - inst_variables = {n for n, v in dataset.variables.items() if v.dimensions[0] == 'INSTRUMENT'} - self.assertSetEqual(inst_variables, INST_VARIABLES) - obs_variables = {n for n, v in dataset.variables.items() if v.dimensions == ('OBSERVATION',)} - self.assertTrue(obs_variables.issubset(OBS_VARIABLES)) - - for f in chartostring(dataset['source_file'][:]): - self.assertIn(f, INPUT_PATHS) - - # check metadata - self.assertEqual(__version__, dataset.generating_code_version) - self.assertIn(__version__, dataset.lineage) - self.assertIn('hourly_timeseries.py', dataset.lineage) - self.assertIn(BAD_FILE, dataset.rejected_files) - - self.compare_global_attributes(dataset) - - self.check_nan_values(dataset) - - self.compare_variables(dataset) - - def test_hourly_aggregator_with_nonqc(self): - output_file, bad_files = hourly_aggregator(files_to_aggregate=INPUT_FILES, - site_code='NRSROT', - qcflags=(0, 1, 2), - input_dir=TEST_ROOT, - output_dir='/tmp', - download_url_prefix='http://test.download.url', - opendap_url_prefix='http://test.opendap.url' - ) - self.assertRegex(output_file, - r'IMOS_ANMN-NRS_BOSTUZ_20181213_NRSROT_FV02_hourly-timeseries-including-non-QC' - r'_END-20190523_C-\d{8}\.nc' - ) - - dataset = Dataset(output_file) - self.assertEqual(dataset['source_file'].download_url_prefix, 'http://test.download.url') - self.assertEqual(dataset['source_file'].opendap_url_prefix, 'http://test.opendap.url') - for f in chartostring(dataset['source_file'][:]): - self.assertIn(f, INPUT_FILES) - - def test_with_adcp(self): - # Replace the BAD_FILE with an ADCP file - aggregation should work (only takes TEMP from the ADCP) - input_files = INPUT_FILES[:2] + \ - ['IMOS_ANMN-NRS_AETVZ_20180816T080000Z_NRSROT-ADCP_FV01_NRSROT-ADCP-1808-Sentinel-or-Monitor-Workhorse-ADCP-44_END-20180822T053000Z_C-20200623T000000Z.nc'] - output_file, bad_files = hourly_aggregator(files_to_aggregate=input_files, - site_code='NRSROT', - qcflags=(1, 2), - input_dir=TEST_ROOT, - output_dir='/tmp' - ) - - self.assertEqual(0, len(bad_files)) - - def test_all_rejected(self): - self.assertRaises(NoInputFilesError, hourly_aggregator, [BAD_FILE], 'NRSROT', (1, 2), input_dir=TEST_ROOT) - - def test_some_files_without_good_data(self): - output_file, bad_files = hourly_aggregator(files_to_aggregate=PH100_FILES, - site_code='PH100', - qcflags=(1, 2), - input_dir=TEST_ROOT, - output_dir='/tmp' - ) - self.assertEqual(1, len(bad_files)) - for path, errors in bad_files.items(): - self.assertEqual(NO_INWATER_DATA_FILE, path) - self.assertIn('no in-water data', errors) - with Dataset(output_file) as dataset: - self.check_nan_values(dataset) - - def test_bad_timestamps(self): - output_file, bad_files = hourly_aggregator(files_to_aggregate=SYD100_FILES, - site_code='SYD100', - qcflags=(1, 2), - input_dir=TEST_ROOT, - output_dir='/tmp' - ) - self.assertEqual(0, len(bad_files)) - - -if __name__ == '__main__': - unittest.main() diff --git a/test_aodntools/timeseries_products/test_velocity_aggregated_timeseries.py b/test_aodntools/timeseries_products/test_velocity_aggregated_timeseries.py deleted file mode 100644 index 856e17f6..00000000 --- a/test_aodntools/timeseries_products/test_velocity_aggregated_timeseries.py +++ /dev/null @@ -1,73 +0,0 @@ -#!/usr/bin/env python3 - -import os -import unittest - -from netCDF4 import Dataset, chartostring - -from aodntools import __version__ -from aodntools.timeseries_products.common import NoInputFilesError -from aodntools.timeseries_products.velocity_aggregated_timeseries import velocity_aggregated -from test_aodntools.base_test import BaseTestCase - -TEST_ROOT = os.path.dirname(__file__) -BAD_FILE = 'IMOS_ANMN-NRS_BAD_VELOCITY_FILE.nc' -INPUT_FILES = [ - 'IMOS_ANMN-NRS_AETVZ_20181213T080000Z_NRSROT-ADCP_FV01_NRSROT-ADCP-1812-Sentinel-or-Monitor-Workhorse-ADCP-44_END-20181215T100000Z_C-20200430T000000Z.nc', - 'IMOS_ANMN-NRS_AETVZ_20180816T080000Z_NRSROT-ADCP_FV01_NRSROT-ADCP-1808-Sentinel-or-Monitor-Workhorse-ADCP-44_END-20180822T053000Z_C-20200623T000000Z.nc', - 'IMOS_ANMN-NRS_AETVZ_20191016T080000Z_NRSROT-ADCP_FV01_NRSROT-ADCP-1910-Sentinel-or-Monitor-Workhorse-ADCP-44_END-20191018T100000Z_C-20200430T000000Z.nc', - BAD_FILE -] - -OBS_VARS = {'TIME', 'DEPTH', 'DEPTH_quality_control', 'UCUR', 'UCUR_quality_control', - 'VCUR', 'VCUR_quality_control', 'WCUR', 'WCUR_quality_control', 'instrument_index', 'CELL_INDEX'} -INST_VARS = {'LATITUDE', 'LONGITUDE', 'NOMINAL_DEPTH', 'SECONDS_TO_MIDDLE'} -STR_VARS = {'source_file', 'instrument_id'} - - -class TestVelocityAggregatedTimeseries(BaseTestCase): - EXPECTED_OUTPUT_FILE = os.path.join( - TEST_ROOT, 'IMOS_ANMN-NRS_VZ_20180816_NRSROT_FV01_velocity-aggregated-timeseries_END-20191018_C-20200623.nc' - ) - - def test_velocity_aggregated(self): - output_file, bad_files = velocity_aggregated(INPUT_FILES, 'NRSROT', input_dir=TEST_ROOT, output_dir='/tmp') - - self.assertEqual(4, len(INPUT_FILES)) - self.assertEqual(1, len(bad_files)) - for file, errors in bad_files.items(): - self.assertEqual(BAD_FILE, file) - - dataset = Dataset(output_file) - - # check dimensions and variables - self.assertSetEqual(set(dataset.dimensions), {'OBSERVATION', 'INSTRUMENT', 'strlen'}) - self.assertSetEqual(set(dataset.variables.keys()), OBS_VARS | INST_VARS | STR_VARS) - - for var in OBS_VARS: - self.assertEqual(dataset.variables[var].dimensions, ('OBSERVATION',)) - for var in INST_VARS: - self.assertEqual(dataset.variables[var].dimensions, ('INSTRUMENT',)) - for var in STR_VARS: - self.assertEqual(dataset.variables[var].dimensions, ('INSTRUMENT', 'strlen')) - - for f in chartostring(dataset['source_file'][:]): - self.assertIn(f, INPUT_FILES) - - # check attributes - self.assertEqual(__version__, dataset.generating_code_version) - self.assertIn(__version__, dataset.lineage) - - self.compare_global_attributes(dataset) - - self.check_nan_values(dataset) - - self.compare_variables(dataset) - - def test_all_rejected(self): - self.assertRaises(NoInputFilesError, velocity_aggregated, [BAD_FILE], 'NRSROT', - input_dir=TEST_ROOT, output_dir='/tmp') - - -if __name__ == '__main__': - unittest.main() diff --git a/test_aodntools/timeseries_products/test_velocity_hourly_timeseries.py b/test_aodntools/timeseries_products/test_velocity_hourly_timeseries.py deleted file mode 100644 index d527f937..00000000 --- a/test_aodntools/timeseries_products/test_velocity_hourly_timeseries.py +++ /dev/null @@ -1,87 +0,0 @@ -#!/usr/bin/env python3 - -import os -import unittest - -import numpy as np -from netCDF4 import Dataset, chartostring - -from aodntools import __version__ -from aodntools.timeseries_products.common import NoInputFilesError -from aodntools.timeseries_products.velocity_hourly_timeseries import velocity_hourly_aggregated -from test_aodntools.base_test import BaseTestCase - -TEST_ROOT = os.path.dirname(__file__) -BAD_FILE = 'IMOS_ANMN-NRS_BAD_VELOCITY_FILE.nc' -INPUT_FILES = [ - 'IMOS_ANMN-NRS_AETVZ_20181213T080000Z_NRSROT-ADCP_FV01_NRSROT-ADCP-1812-Sentinel-or-Monitor-Workhorse-ADCP-44_END-20181215T100000Z_C-20200430T000000Z.nc', - 'IMOS_ANMN-NRS_AETVZ_20180816T080000Z_NRSROT-ADCP_FV01_NRSROT-ADCP-1808-Sentinel-or-Monitor-Workhorse-ADCP-44_END-20180822T053000Z_C-20200623T000000Z.nc', - 'IMOS_ANMN-NRS_AETVZ_20191016T080000Z_NRSROT-ADCP_FV01_NRSROT-ADCP-1910-Sentinel-or-Monitor-Workhorse-ADCP-44_END-20191018T100000Z_C-20200430T000000Z.nc', - BAD_FILE -] - -OBS_VARS = {'TIME', 'instrument_index', 'CELL_INDEX'} -INST_VARS = {'LATITUDE', 'LONGITUDE', 'NOMINAL_DEPTH', 'SECONDS_TO_MIDDLE'} -STR_VARS = {'source_file', 'instrument_id'} -for v in ['DEPTH', 'UCUR', 'VCUR', 'WCUR']: - OBS_VARS.add(v) - for s in ['_min', '_max', '_std', '_count']: - OBS_VARS.add(v + s) - - -class TestVelocityHourlyTimeseries(BaseTestCase): - EXPECTED_OUTPUT_FILE = os.path.join( - TEST_ROOT, 'IMOS_ANMN-NRS_VZ_20180816_NRSROT_FV02_velocity-hourly-timeseries_END-20191018_C-20220608.nc' - ) - - def test_velocity_hourly(self): - output_file, bad_files = velocity_hourly_aggregated(INPUT_FILES, 'NRSROT', - input_dir=TEST_ROOT, output_dir='/tmp') - self.assertEqual(4, len(INPUT_FILES)) - self.assertEqual(1, len(bad_files)) - for file, errors in bad_files.items(): - self.assertEqual(BAD_FILE, file) - - dataset = Dataset(output_file) - - # check dimensions and variables - self.assertSetEqual(set(dataset.dimensions), {'OBSERVATION', 'INSTRUMENT', 'strlen'}) - self.assertSetEqual(set(dataset.variables.keys()), OBS_VARS | INST_VARS | STR_VARS) - - for var in OBS_VARS: - self.assertEqual(dataset.variables[var].dimensions, ('OBSERVATION',)) - for var in INST_VARS: - self.assertEqual(dataset.variables[var].dimensions, ('INSTRUMENT',)) - for var in STR_VARS: - self.assertEqual(dataset.variables[var].dimensions, ('INSTRUMENT', 'strlen')) - - for f in chartostring(dataset['source_file'][:]): - self.assertIn(f, INPUT_FILES) - - # check attributes - self.assertEqual(__version__, dataset.generating_code_version) - self.assertIn(__version__, dataset.lineage) - - self.compare_global_attributes(dataset) - - self.check_nan_values(dataset) - - self.compare_variables(dataset) - - def test_all_rejected(self): - self.assertRaises(NoInputFilesError, velocity_hourly_aggregated, [BAD_FILE], 'NRSROT', - input_dir=TEST_ROOT, output_dir='/tmp') - - def test_size1_dimensions(self): - input_files = [ - 'IMOS_ANMN-NRS_ADCP_LAT_LON_DIMS.nc', - 'IMOS_ANMN-NRS_ADCP_SINGLE_TIMESTAMP.nc' - ] - output_file, bad_files = velocity_hourly_aggregated(input_files, 'NRSROT', - input_dir=TEST_ROOT, output_dir='/tmp') - - self.assertEqual(0, len(bad_files)) - - -if __name__ == '__main__': - unittest.main() diff --git a/test_aodntools/vocab/__init__.py b/test_aodntools/vocab/__init__.py new file mode 100644 index 00000000..16325367 --- /dev/null +++ b/test_aodntools/vocab/__init__.py @@ -0,0 +1,8 @@ +from .test_platform_code_vocab import TEST_PLATFORM_CAT_VOCAB_URL, TEST_PLATFORM_VOCAB_URL +from .test_xbt_line_vocab import TEST_XBT_LINE_VOCAB_URL + +__all__ = [ + 'TEST_PLATFORM_CAT_VOCAB_URL', + 'TEST_PLATFORM_VOCAB_URL', + 'TEST_XBT_LINE_VOCAB_URL' +] diff --git a/test_aodntools/vocab/aodn_aodn-platform-category-vocabulary.rdf b/test_aodntools/vocab/aodn_aodn-platform-category-vocabulary.rdf new file mode 100644 index 00000000..5189c579 --- /dev/null +++ b/test_aodntools/vocab/aodn_aodn-platform-category-vocabulary.rdf @@ -0,0 +1,819 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + Natalia_Atkins + + + + + + + + + + + + + + + + + + + Sebastien-Mancini + + + + + + Sebastien_Mancini + + + + + + eMII_Atkins.Natalia + + + + + + eMII_Finney.Kim_Admin + + + + + + eMarine-Information-Infrastructure-eMII + + + + + + Freely Available For Reuse + + 2014-06-01T00:00:00Z + + A classification scheme to support faceted searching across platform types in the IMOS 123 Portal. + 2015-09-16T03:50:11Z + + platform category + AODN Platform Category Vocabulary + category + + + + + + + + + + + 2017-07-03 + Version 1.1 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + 2014-06-01T00:00:00Z + + 2015-08-06T04:40:39Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform category register + This category contains vocabulary terms describing AUV type of platforms + + + + + + AUV + + + + + + + + 2014-06-01T00:00:00Z + + 2015-08-06T04:39:26Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform category register + This category contains vocabulary terms describing fixed stations type of platform + + + + + + Fixed station + + + + + + + 2014-06-01T00:00:00Z + + 2015-05-27T01:37:04Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform category register + This category contains vocabulary terms describing profiling float type of platform + + + + + Float + + + + + + + + 2014-06-01T00:00:00Z + + 2015-09-15T23:43:37Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform category register + This category contains vocabulary terms describing ship type of platform + + + + + + + + + + + + + Vessel + + + + + + + + 2014-06-01T00:00:00Z + + 2017-07-03T05:46:49Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform category register + This category contains vocabulary terms describing animal type of platform + + + + + + + + + + Biological platform + + + + + + + + 2014-06-01T00:00:00Z + + 2015-08-06T04:39:33Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform category register + This category contains vocabulary terms describing satellite type of platform + + + + Satellite + + + + + + + 2014-06-01T00:00:00Z + + 2015-05-27T00:28:03Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform category register + This category contains vocabulary terms describing radar type of platform + + + + Radar + + + + + + + 2014-06-01T00:00:00Z + + 2015-05-27T01:02:06Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform category register + This category contains vocabulary terms describing glider type of platform + + + Glider + + + + + + + + 2014-06-01T00:00:00Z + + 2015-08-06T04:40:32Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform category register + This category contains vocabulary terms describing mooring type of platform + + + + + Mooring and buoy + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + 2017-07-03T06:25:19Z + + 2017-07-03T06:28:37Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform category register + This category contains vocabulary terms describing aircraft type of platform + + + + + Aircraft + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/test_aodntools/vocab/aodn_aodn-platform-vocabulary.rdf b/test_aodntools/vocab/aodn_aodn-platform-vocabulary.rdf new file mode 100644 index 00000000..f673d1eb --- /dev/null +++ b/test_aodntools/vocab/aodn_aodn-platform-vocabulary.rdf @@ -0,0 +1,10600 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + Iver + + 2017-10-04T05:48:02Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-10-04T05:53:24Z + + The IMOS AUV facility operates a small ocean going AUV called Iver from Ocean Server. Managed by the University of Sydney's Australian Centre for Field Robotics (ACFR), this vehicle is able to be launched from the shore or a small boat, and is used in the support of marine habitat assessment as well as in the surveying of archaeological sites in coastal environments. + + + + + + + + + + + + + Deep-Slope Mooring (M7) + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T06:05:11Z + SAM7DS + + The Deep Slope Mooring (M7) is operated by SARDI (South Australian Research and Development Institute), and was a South Australian regional mooring. This mooring was decommissioned in March 2014. + + nominal latitude:-36.1809,nominal longitude:135.8439,nominal depth:500m + + + + + + + + 2009-12-15/2014-03-12 + + + + + + + + + + + + eMII_Atkins.Natalia_Admin + + + + + + + Freely Available For Reuse + 2012-12-10T00:00:00Z + + A controlled vocabulary for platforms that can be used in Marine Community Profile metadata. This vocabulary will be used by the faceted search on the AODN/IMOS portal. + entity + + platform + AODN Platform Vocabulary + entity + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + 2019-03-27T23:12:59Z + 2019-04-03 + Version 3.5 + + + + + + + + + + + + eMII_Finney.Kim_Admin + + + + + + + + + + + + + + + + + + Sebastien-Mancini + + + + + + + + + + + + + + + + + + unmanned autonomous underwater vehicle + + 2013-04-08T00:00:00Z + + + British Oceanographic Data Centre (BODC) + (L061) SeaVoX Platform Categories + 2017-02-07T03:52:38Z + A free-roving platform operating in the water column with propulsion but no human operator on board (e.g. Autosub Glider). + + + + + + + + + + + + + + + + + + + + + eMarine-Information-Infrastructure-eMII + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + OOCL Panama + + 2015-05-12T01:56:12Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:33Z + VRDU8 + + Container ship vessel, which is currently flying the flag of Hong Kong January 2015. + IMO:9355769 + + built:2008 + + + + + + Lady Basten + + 2017-01-05T05:40:47Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-03T00:00:40Z + + Research vessel, which was operated by the Australian Institute of Marine Science (AIMS). It was replaced by the Cape Solander at AIMS. It is now known as the Ocean Hunter III. + IMO:7702009 + + built:1978 + + + + + + Spirit of Tasmania 2 + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2019-03-27T21:34:55Z + VNSZ + + Passenger/Ro-Ro Cargo ship vessel, which is currently flying the flag of Australia (May 2013) + IMO:9158434 + + built:1998 + + + + + + + + Stadacona + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2019-03-27T22:17:37Z + C6FS9 + + General Cargo ship vessel, which is currently flying the flag of Bahamas (May 2013) + IMO:8010934 + + built:1984 + + + + + + + Wana Bhum + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:39Z + HSB3403 + + Container ship vessel, which is currently flying the flag of Thailand (May 2013) + IMO:9308663 + + built:2005 + + + + + + Iron Yandi + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:39Z + VNVR + + Bulk Carrier vessel, which was flying the flag of Australia. It was renamed the Star Yandi (call sign: C6ZY9) after July 2012. It was disposed of in approximately 2015. + IMO:9122904 + + built:1996 + + + + + + Pacific Sun + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:39Z + 9HA2479 + + Passenger (Cruise) ship Vessel, which was flying the flag of Malta. It was renamed the Henna after July 2012. + IMO:8314122 + + built:1986 + + + + + + Portland + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:52:18Z + VNAH + + General Cargo ship vessel, which is currently flying the flag of Australia (May 2013). It was disposed of in 2016. + IMO:8509117 + + built:1988 + + + + + + + Pacific Celebes + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:49:53Z + VRZN9 + + General Cargo ship vessel, which is currently flying the flag of Hong Kong (May 2013). It was disposed of in approximately 2012. + IMO:8126599 + + built:1984 + + + + + + + Sea Flyte + + 2013-06-04T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:40Z + VHW5167 + + Passenger ship vessel, which is currently flying the flag of Australia (February, 2009). + IMO:9129768 + + built:1995 + + + + + + Fantasea Wonder + + 2013-06-04T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2019-03-27T21:34:08Z + VJQ7467 + + Passenger ship vessel, which is currently flying the flag of Australia (June, 2012). + + built:1987 + + + + + + + Linnaeus + + 2013-07-01T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2019-03-27T21:25:14Z + VHW6005 + + RV Linnaeus is a small CSIRO research vessel collecting underway bulk SST from its occasional trips within 200 nm from Hillarys Boat Harbour, WA. + + + + + + + + James Kirby + + 2017-01-05T05:58:46Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-03T00:00:07Z + 2189QB + + Research vessel which is operated by James Cook University (JCU) + MMSI:503416000 + + built:1971 + + + + + + Xutra Bhum + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:33Z + HSB3402 + + Container ship vessel, which is currently flying the flag of Thailand (May 2013) + IMO:9308675 + + built:2005 + + + + + + Tangaroa + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T04:05:07Z + ZMFR + + Fishing support vessel, which is currently flying the flag of New Zealand (May 2013) + IMO:9011571 + + built:1991 + + + + + + + Santo Rocco + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:33Z + LFB13191P + + Trawler fishing vessel operated by Australian Wild Tuna, which is currently flying the Australian flag (May 2012) + IMO:8402826 + + built:1984 + + + + + + Austral Leader II + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:33Z + VHLU + + Trawler fishing vessel, currently flying the Australian flag (May 2013) + IMO:7382770 + + built:1975 + + + + + + Janas + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:33Z + ZMTW + + Fishing vessel, currently flying the New Zealand flag (May 2013) + IMO:9057109 + + built:1993 + + + + + + Will Watch + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:33Z + E5WW + + Trawler fishing vessel, currently flying the New Zealand flag (May 2012) + IMO:7225831 + + built:1973 + + + + + + Southern Champion + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T04:04:29Z + VHGI + + Trawler fishing vessel, currently flying the Australian flag (May 2013). It was decommissioned in 2015. + IMO:7351147 + + built:1974 + + + + + + + Rehua + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:33Z + ZMRE + + Trawler fishing vessel, currently flying the New Zealand flag (August 2011) + IMO:9147784 + + built:1997 + + + + + + Hespérides + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T03:50:56Z + EBBW + + Research vessel, currently flying the flag of Spain (May 2013) + IMO:8803563 + + built:1991 + + + + + + + ANL Windarra + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2019-03-27T21:38:27Z + V7LE9 + + Container ship vessel, currently flying the flag of Marshall Islands (May 2013) + IMO:9324849 + + built:2007 + + + + + + + Marion Dufresne + + 2017-01-05T06:00:42Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-13T03:53:02Z + FNIN + + Research/survey vessel, currently flying the flag of France. + IMO:9050814 + + built:1995 + + + + + + + Bateman's Marine Park 90m Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T05:22:49Z + BMP090 + + The Bateman's Marine Park 90m Mooring is operated by SIMS (Sydney Institute of Marine Science) and collects data adjacent to the Bateman's Marine Park. This mooring was decommissioned in September 2015. + + nominal latitude:-36.192,nominal longitude:150.233,nominal depth:90m + + + + + + + + + 2011-03-30/2015-09-27 + + + + + + Bateman's Marine Park 120m Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T05:18:40Z + BMP120 + + The Bateman's Marine Park 120m Mooring is operated by SIMS (Sydney Institute of Marine Science) and collects data adjacent to the Bateman's Marine Park. This mooring was briefly decommissioned in 2014, but re-deployed shortly afterwards. + + nominal latitude:-36.213,nominal longitude:150.309,nominal depth:120m + + + + + + + + + + + + + + Coffs Harbour 70m Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T05:17:14Z + CH070 + + The Coffs Harbour 100m Mooring is operated by SIMS (Sydney Institute of Marine Science) and collects data in the Coffs Harbour region. + + nominal latitude:-30.275,nominal longitude:153.3,nominal depth:70m + + + + + + + + + + + + + + Coffs Harbour 100m Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T05:18:40Z + CH100 + + The Coffs Harbour 100m Mooring is operated by SIMS (Sydney Institute of Marine Science) and collects data in the Coffs Harbour region. + + nominal latitude:-30.268,nominal longitude:153.397,nominal depth:100m + + + + + + + + + + + + + + Capricorn Channel Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T05:59:34Z + GBRCCH + + The Capricorn Channel Mooring is operated by AIMS (Australian Institute of Marine Science) and collects data in the Great Barrier Reef region. + + nominal latitude:-22.40013583,nominal longitude:151.9835005556,nominal depth:87m + + + + + + + + + + + + + + Elusive Reef Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T06:30:42Z + GBRELR + + The Elusive Reef Mooring is operated by AIMS (Australian Institute of Marine Science) and collects data in the Great Barrier Reef region. This mooring was decommissioned in October 2014. + + nominal latitude:-21.0169036111,nominal longitude:151.9835005556,nominal depth:300m + + + + + + + + + 2007-09-15/2014-10-14 + + + + + + Heron Island South Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T06:36:32Z + GBRHIS + + The Heron Island South Mooring is operated by AIMS (Australian Institute of Marine Science) and collects data in the Great Barrier Reef region. + + nominal latitude:-23.5002216667,nominal longitude:151.9500819444,nominal depth:48m + + + + + + + + + + + + + + Lizard Shelf Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T06:42:47Z + GBRLSH + + The Lizard Shelf Mooring is operated by AIMS (Australian Institute of Marine Science) and collects data in the Great Barrier Reef region. This mooring was decommissioned in May 2014. + + nominal latitude:-14.6836033333,nominal longitude:145.6335044444,nominal depth:24m + + + + + + + + + 2008-06-14/2014-05-20 + + + + + + Lizard Slope Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T06:43:12Z + GBRLSL + + The Lizard Slope Mooring is operated by AIMS (Australian Institute of Marine Science) and collects data in the Great Barrier Reef region. This mooring was decommissioned in May 2014. + + nominal latitude:-14.3334358333,nominal longitude:145.3335055556,nominal depth:360m + + + + + + + + + 2007-11-03/2014-05-23 + + + + + + Myrmidon Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T06:50:27Z + GBRMYR + + The Myrmidon Mooring is operated by AIMS (Australian Institute of Marine Science) and collects data in the Great Barrier Reef region. + + nominal latitude:-18.2661111111,nominal longitude:147.3335058333,nominal depth:200m + + + + + + + + + + + + + + Melville + + 2017-01-05T06:01:55Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-13T03:59:45Z + WECB + + Research vessel, which was operated by Scripps Oceanography. + + built:1969 + + + + + + + One Tree East Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T06:59:42Z + GBROTE + + The One Tree East Mooring is operated by AIMS (Australian Institute of Marine Science) and collects data in the Great Barrier Reef region. + + nominal latitude:-23.4833341667,nominal longitude:152.1667661111,nominal depth:60m + + + + + + + + + + + + + + Palm Passage Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T06:59:42Z + GBRPPS + + The Palm Passage Mooring is operated by AIMS (Australian Institute of Marine Science) and collects data in the Great Barrier Reef region. + + nominal latitude:-18.3001725,nominal longitude:147.1502211111,nominal depth:60m + + + + + + + + + + + + + + Flat Top Banks Shelf Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T06:34:24Z + ITFFTB + + The Flat Top Banks Shelf Mooring is operated by AIMS (Australian Institute of Marine Science) and collects data as part of the Indonesian Thoughflow array. + + nominal latitude:-12.2834455556,nominal longitude:128.4668363889,nominal depth:103m + + + + + + + + + Joseph Bonaparte Gulf Shelf Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T06:37:41Z + ITFJBG + + The Joseph Bonaparte Gulf Shelf Mooring is operated by AIMS (Australian Institute of Marine Science) and collects data as part of the Indonesian Thoughflow array. + + nominal latitude:-13.6001363889,nominal longitude:128.9666875,nominal depth:59m + + + + + + + + + Margaret Harries Banks Shelf Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T06:43:25Z + ITFMHB + + The Margaret Harries Banks Shelf Mooring is operated by AIMS (Australian Institute of Marine Science) and collects data as part of the Indonesian Thoughflow array. + + nominal latitude:-11,nominal longitude:128,nominal depth:145m + + + + + + + + + Timor South Shelf Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T06:43:25Z + ITFTIS + + The Timor South Shelf Mooring is operated by AIMS (Australian Institute of Marine Science) and collects data as part of the Indonesian Thoughflow array. + + nominal latitude:-9.8166730556,nominal longitude:127.5500552778,nominal depth:465m + + + + + + + + + Jervis Bay Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:31Z + JB070 + + The Jervis Bay Mooring is operated by UNSW (University of New South Wales), ADFA (Australian Defence Force Academy) and collects data in Jervis Bay. This mooring was decommissioned in October 2009. + + nominal latitude:-35.083,nominal longitude:150.85,nominal depth:70m + 2009-07-28/2009-10-07 + + + + + + Kimberley 50m Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T06:42:09Z + KIM050 + + The Kimberley 50m Mooring is operated by AIMS (Australian Institute of Marine Science) and collects data as part of the Kimberley array. This mooring was decommissioned in August 2014. + + nominal latitude:-16.3879,nominal longitude:121.58813,nominal depth:50m + + + + 2011-10-21/2014-08-19 + + + + + + Kimberley 100m Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T06:41:45Z + KIM100 + + The Kimberley 100m Mooring is operated by AIMS (Australian Institute of Marine Science) and collects data as part of the Kimberley array. This mooring was decommissioned in August 2014. + + nominal latitude:-15.5347,nominal longitude:121.3038,nominal depth:100m + + + + 2012-02-01/2014-08-24 + + + + + + Kimberley 200m Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T06:42:00Z + KIM200 + + The Kimberley 200m Mooring is operated by AIMS (Australian Institute of Marine Science) and collects data as part of the Kimberley array. This mooring was decommissioned in August 2014. + + nominal latitude:-15.67976,nominal longitude:121.24307,nominal depth:200m + + + + 2012-02-02/2014-08-27 + + + + + + Mirai + + 2017-01-05T06:08:07Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-13T04:00:09Z + JNSR + + Research vessel, currently flying the flag of Japan. + IMO:6919423 + + built:1991 + + + + + + + Kimberley 400m Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T06:42:09Z + KIM400 + + The Kimberley 400m Mooring is operated by AIMS (Australian Institute of Marine Science) and collects data as part of the Kimberley array. This mooring was decommissioned in August 2014. + + nominal latitude:-15.22097,nominal longitude:121.11471,nominal depth:400m + + + + 2012-02-03/2014-08-25 + + + + + + Darwin National Reference Station Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T06:37:53Z + NRSDAR + + The Darwin National Reference Station Mooring is operated by AIMS (Australian Institute of Marine Science) and collects data from coastal ocean waters off Darwin. + + nominal latitude:-12.3334013889,nominal longitude:130.6835363889,nominal depth:20m + + + + + + + + + + + + + + + + + + + Esperance National Reference Station ADCP Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T06:33:12Z + NRSESP-ADCP + + ADCP mooring located at the Esperance National Reference Station. This mooring is operated by CSIRO. This mooring was decommissioned in December 2013. + + nominal latitude:-33.9166666667,nominal longitude:121.85,nominal depth:52m + + + + + + + + + + + + + + 2011-08-18/2013-12-05 + + + + + + Esperance National Reference Station Sub-surface Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T01:45:23Z + NRSESP-SubSurface + + Sub-surface mooring located at the Esperance National Reference Station. This mooring is operated by CSIRO. This mooring was decommissioned in December 2013. + + nominal latitude:-33.9333333333,nominal longitude:121.85,nominal depth:51m + + + + + + + + + 2011-08-18/2013-12-05 + + + + + + Kangaroo Island National Reference Station Acidification Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T06:40:50Z + NRSKAI-CO2 + + Acidification mooring located at the Kangaroo Island National Reference Station. This mooring is operated by SARDI (South Australian Research and Development Institute). + + nominal latitude:-35.836,nominal longitude:136.448,nominal depth:110m + + + + + + + + + Kangaroo Island National Reference Station Sub-surface Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T01:45:42Z + NRSKAI-SubSurface + + Sub-surface mooring located at the Kangaroo Island National Reference Station. This mooring is operated by SARDI (South Australian Research and Development Institute). + + nominal latitude:-35.836,nominal longitude:136.448,nominal depth:110m + + + + + + + + + + + + + + Ningaloo Reef National Reference Station Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T06:52:40Z + NRSNIN + + The Ningaloo Reef National Reference Station Mooring is operated by AIMS (Australian Institute of Marine Science) and collects data from coastal ocean waters around Nigaloo Reef. This mooring was decommissioned in August 2014. + + nominal latitude:-21.868,nominal longitude:113.934,nominal depth:55m + + + + + + + + + + + + + + 2010-08-02/2014-08-13 + + + + + + North Stradbroke Island National Reference Station ADCP Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T06:54:39Z + + ADCP mooring located at the North Stradbroke Island National Reference Station. This mooring is operated by CSIRO. + + nominal latitude:-27.3392283333,nominal longitude:153.5617733333,nominal depth:60m + + + + + + + + + + + + + + + + + + + North Stradbroke Island National Reference Station Sub-surface Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T01:46:23Z + + Sub-surface mooring located at the North Stradbroke Island National Reference Station. This mooring is operated by CSIRO. + + nominal latitude:-27.3834263889,nominal longitude:153.5668925,nominal depth:60m + + + + + + + + + + + + + + North Stradbroke Island National Reference Station Surface Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T06:56:31Z + NRSNSI + + Surface mooring located at the North Stradbroke Island National Reference Station. This mooring is operated by CSIRO. + + nominal latitude:-27.3409883333,nominal longitude:153.5611833333,nominal depth:60m + + + + + + + + + + + + + + + + + + + San Tongariro + + 2017-01-19T06:04:46Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-02T23:34:30Z + ZMA3180 + + Trawler fishing vessel, currently flying the flag of New Zealand. + IMO:9149914 + + built:1997 + + + + + + Rottnest Island National Reference Station ADCP Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T01:46:49Z + NRSROT-ADCP + + ADCP mooring located at the Rottnest Island National Reference Station. This mooring is operated by CSIRO. + + nominal latitude:-32,nominal longitude:115.4,nominal depth:50m + + + + + + + + + + + + + + + + + + + Rottnest Island National Reference Station Sub-surface Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T01:46:37Z + + Sub-surface mooring located at the Rottnest Island National Reference Station. This mooring is operated by CSIRO. + + nominal latitude:-32,nominal longitude:115.4166666667,nominal depth:48m + + + + + + + + + + + + + + Yongala National Reference Station Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T01:46:49Z + NRSYON + + The Yongala National Reference Station Mooring is operated by AIMS (Australian Institute of Marine Science) and collects data near the Yongala Wreck, out from Cape Bowling Green in the central Great Barrier Reef. + + nominal latitude:-19.3001019444,nominal longitude:147.6167258333,nominal depth:28m + + + + + + + + + + + + + + Port Hacking 100m Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:36Z + PH100 + + The Port Hacking 100m Mooring is operated by SIMS (Sydney Institute of Marine Science) and collects data from coastal ocean waters off Port Hacking. + + nominal latitude:-34.12031,nominal longitude:151.22437,nominal depth:110m + + + + + + Pilbara 50m Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T01:35:13Z + PIL050 + + The Pilbara 50m Mooring is operated by AIMS (Australian Institute of Marine Science) and collects data as part of the Pilbara array. This mooring was decommissioned in August 2014. + + nominal latitude:-20.05467,nominal longitude:116.41615,nominal depth:50m + + + 2012-02-21/2014-08-16 + + + + + + Pilbara 100m Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T07:00:22Z + PIL100 + + The Pilbara 100m Mooring is operated by AIMS (Australian Institute of Marine Science) and collects data as part of the Pilbara array. This mooring was decommissioned in August 2014. + + nominal latitude:-19.69437,nominal longitude:116.11155,nominal depth:100m + + + 2012-02-20/2014-08-16 + + + + + + Pilbara 200m Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T01:35:13Z + PIL200 + + The Pilbara 200m Mooring is operated by AIMS (Australian Institute of Marine Science) and collects data as part of the Pilbara array. This mooring was decommissioned in August 2014. + + nominal latitude:-19.43557,nominal longitude:115.91535,nominal depth:200m + + + 2012-02-20/2014-08-16 + + + + + + Deep Slope Mooring (M1) + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T06:04:33Z + SAM1DS + + The Deep Slope Mooring (M1) is operated by SARDI (South Australian Research and Development Institute), and was a South Australian regional mooring. This mooring was decommissioned in June 2009. + + nominal latitude:-36.516,nominal longitude:136.244,nominal depth:525m + + + + + + + + 2008-12-11/2009-06-04 + + + + + + Cabbage Patch Mooring (M2) + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T05:51:30Z + SAM2CP + + The Cabbage Patch Mooring (M2) is operated by SARDI (South Australian Research and Development Institute), and is a South Australian regional mooring. This mooring was decommissioned in March 2010. + + nominal latitude:-35.268,nominal longitude:135.684,nominal depth:99m + + + + + + + + 2008-10-20/2010-03-17 + + + + + + Mid-Slope Mooring (M3) + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T06:50:04Z + SAM3MS + + The Mid-Slope Mooring (M3) is operated by SARDI (South Australian Research and Development Institute), and was a South Australian regional mooring. This mooring was decommissioned in June 2013. + + nominal latitude:-36.1459,nominal longitude:135.904,nominal depth:175m + + + + + + + + 2011-02-22/2013-06-30 + + + + + + Canyon Mooring (M4) + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T05:54:02Z + SAM4CY + + The Canyon Mooring (M4) is operated by SARDI (South Australian Research and Development Institute), and is a South Australian regional mooring. This mooring was decommissioned in March 2010. + + nominal latitude:-36.52,nominal longitude:136.856,nominal depth:119m + + + + + + + + 2009-02-05/2010-03-16 + + + + + + Coffin Bay Mooring (M5) + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T06:00:09Z + SAM5CB + + The Coffin Bay Mooring (M5) is operated by SARDI (South Australian Research and Development Institute), and is one of five South Australian regional moorings. + + nominal latitude:-34.928,nominal longitude:135.01,nominal depth:99m + + + + + + + + + + + + + Investigator Strait Mooring (M6) + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T06:36:52Z + SAM6IS + + The Investigator Strait Mooring (M6) is operated by SARDI (South Australian Research and Development Institute), and is a South Australian regional mooring. This mooring was decommissioned in June 2009. + + nominal latitude:-35.5,nominal longitude:136.6,nominal depth:82m + + + + + + + + 2009-02-05/2009-06-02 + + + + + + Spencer Gulf Mouth Mooring (M8) + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T06:50:04Z + SAM8SG + + The Spencer Gulf Mooring (M8) is operated by SARDI (South Australian Research and Development Institute), and is one of five South Australian regional moorings. + + nominal latitude:-35.25,nominal longitude:136.69,nominal depth:47m + + + + + + + + + + + + + Sydney 100m Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T05:43:51Z + SYD100 + + The Sydney 100m Mooring is operated by SIMS (Sydney Institute of Marine Science) and collects data in the Sydney region. + + nominal latitude:-33.943,nominal longitude:151.382,nominal depth:100m + + + + + + + + + + + + + + Sydney 140m Mooring + + 2013-05-15T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T05:43:51Z + SYD140 + + The Sydney 140m Mooring is operated by SIMS (Sydney Institute of Marine Science) and collects data in the Sydney region. + + nominal latitude:-33.994,nominal longitude:151.459,nominal depth:140m + + + + + + + + + + + + + + Canyon 200m Head Mooring + + 2013-05-21T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T05:53:01Z + WACA20 + + The Canyon 200m Head Mooring is operated by CSIRO and collects data in the Perth Canyon region. + + nominal latitude:-31.9833333333,nominal longitude:115.2333333333,nominal depth:200m + + + + + + + + Canyon 500m North Mooring + + 2013-05-21T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T05:53:12Z + WACANO + + The Canyon 500m North Mooring is operated by CSIRO and collects data in the Perth Canyon region. This mooring was decommissioned in July 2010. + + nominal latitude:-31.922,nominal longitude:114.993,nominal depth:500m + + + 2010-01-22/2010-07-20 + + + + + + Canyon 500m South Mooring + + 2013-05-21T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T05:53:12Z + WACASO + + The Canyon 500m South Mooring is operated by CSIRO and collects data in the Perth Canyon region. This mooring was decommissioned in March 2014. + + nominal latitude:-31.0500555556,nominal longitude:115.0669333333,nominal depth:500m + + + 2010-01-22/2014-03-07 + + + + + + Glaucus + + 2017-02-20T23:09:01Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-02T23:59:43Z + + Research vessel, which was operated by the Department of Environment, Climate Change and Water (DECCW), NSW. + + built:1989 + + + + + + Two Rocks 50m Shelf Mooring + + 2013-05-21T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T05:50:38Z + WATR05 + + The Two Rocks 50m Shelf Mooring is operated by CSIRO and collects data in the Two Rocks region. This mooring was decommissioned in May 2013. + + nominal latitude:-31.6168333333,nominal longitude:115.2335416667,nominal depth:50m + + + + + + 2009-07-07/2013-05-27 + + + + + + Two Rocks 100m Shelf Mooring + + 2013-05-21T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T05:49:03Z + WATR10 + + The Two Rocks 100m Shelf Mooring is operated by CSIRO and collects data in the Two Rocks region. + + nominal latitude:-31.6335555556,nominal longitude:115.1835416667,nominal depth:100m + + + + + + + + + + + Two Rocks 150m Shelf Mooring + + 2013-05-21T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T05:49:36Z + WATR15 + + The Two Rocks 150m Shelf Mooring is operated by CSIRO and collects data in the Two Rocks region. This mooring was decommissioned in October 2013. + + nominal latitude:-31.6835,nominal longitude:115.1166666667,nominal depth:150m + + + + + + 2009-07-07/2013-10-03 + + + + + + Two Rocks 200m Shelf Mooring + + 2013-05-21T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T05:50:07Z + WATR20 + + The Two Rocks 200m Shelf Mooring is operated by CSIRO and collects data in the Two Rocks region. + + nominal latitude:-31.7167111111,nominal longitude:115.0168888889,nominal depth:200m + + + + + + + + + + + Two Rocks 500m Shelf Mooring + + 2013-05-21T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T05:50:38Z + WATR50 + + The Two Rocks 500m Shelf Mooring is operated by CSIRO and collects data in the Two Rocks region. + + nominal latitude:-31.7667305556,nominal longitude:114.9335,nominal depth:500m + + + + + + + + + + + South-East Queensland 200m Mooring + + 2013-05-21T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-19T01:40:34Z + SEQ200 + + The South-East Queensland 200m Mooring is operated by CSIRO and collects data as part of the East Australian Current (EAC) array. This mooring was decommissioned in June 2013. + + nominal latitude:-27.332,nominal longitude:153.877,nominal depth:400m + + + + + + + 2012-03-25/2013-06-06 + + + + + + South-East Queensland 400m Mooring + + 2013-05-21T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-19T01:40:53Z + SEQ400 + + The South-East Queensland 400m Mooring is operated by CSIRO and collects data as part of the East Australian Current (EAC) array. This mooring was decommissioned in June 2013. + + nominal latitude:-27.34,nominal longitude:153.775,nominal depth:200m + + + + + + + 2012-03-24/2013-06-06 + + + + + + Ocean Reference Station Sydney Mooring + + 2013-05-21T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T05:22:49Z + ORS065 + + The Ocean Reference Station Sydney Mooring is operated by Sydney Water and collects data in the Sydney region. + + nominal latitude:-33.8975,nominal longitude:151.3153,nominal depth:65m + + + + + + + + + + + + + + Perth Canyon, WA Passive Acoustic Observatory + + 2013-05-21T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-17T04:55:46Z + PAPCA + + The Perth Canyon, WA Passive Acoustic Observatory, is a series of moorings operated by Curtin University which collect data in the Perth Canyon region. This observatory was decommissioned in October 2017. + + nominal latitude:-31.892,nominal longitude:114.939,nominal depth:455m + + + + + + 2008-02-26/2017-10-14 + + + + + + Portland, VIC Passive Acoustic Observatory + + 2013-05-21T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-17T04:56:17Z + PAPOR + + The Portland, VIC Passive Acoustic Observatory, is a series of moorings operated by Curtin University which collect data in the Portland region. This observatory was decommissioned early in 2018. + + nominal latitude:-38.545,nominal longitude:141.241,nominal depth:168m + + + + + + 2009-05-06/2018-03-31 + + + + + + Bombora + + 2017-02-20T23:11:37Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-02T23:59:03Z + SY907 + + Research vessel which is operated by the Office of Environment and Heritage (OEH), NSW. + MMSI:503041620 + + built:2009 + + + + + + Tuncurry, NSW Passive Acoustic Observatory + + 2013-05-21T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-17T04:56:17Z + PATUN + + The Tuncurry, NSW Passive Acoustic Observatory, is a series of moorings operated by Curtin University which collect data in the Tuncurry/Forster region. This observatory was decommissioned in early 2018. + + nominal latitude:-32.31,nominal longitude:152.927,nominal depth:161m + + + + + + 2010-02-10/2018-03-31 + + + + + + Southern ocean Flux Station mooring + + 2013-05-23T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T05:42:59Z + SOFS + + The Southern ocean Flux Station Mooring is operated by the Australian Bureau of Meteorology (BOM), which collect data in the Sub-Antarctic Zone. + + nominal latitude:-46.77187,nominal longitude:141.98687,nominal depth:0m + + + + + + + + + Sub-Antarctic Zone Sediment Trap Mooring + + 2013-05-23T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T05:42:59Z + SAZOTS + + The Sub-Antarctic Zone Sediment Trap Mooring is operated by CSIRO, which collect data in the Sub-Antarctic Zone. + + nominal latitude:-54.0,nominal longitude:140.0,nominal depth:3640m + + + + + + + + + East Australian Current 1 Mooring + + 2013-05-23T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T05:40:52Z + EAC1 + + The East Australian Current 1 Mooring is operated by CSIRO, and collects data in the East Australian Current. The array that this mooring was part of was decommissioned in August 2013, and a newly configured array (with new moorings) was redeployed in May 2015. + + nominal latitude:-27.31,nominal longitude:153.98,nominal depth:1649m + + + + + + + 2012-04-19/2013-08-28 + + + + + + East Australian Current 2 Mooring + + 2013-05-23T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T05:41:02Z + EAC2 + + The East Australian Current 2 Mooring is operated by CSIRO, and collects data in the East Australian Current. The array that this mooring was part of was decommissioned in August 2013, and a newly configured array (with new moorings) was redeployed in May 2015. + + nominal latitude:-27.3,nominal longitude:154.03,nominal depth:2257m + + + + + + + 2012-04-19/2013-08-28 + + + + + + Yolla + + 2017-03-27T00:50:06Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-03T00:02:19Z + + Research vessel, which is operated by Deakin University. + Unique Identifier:MSV12324 + + built:2012 + + + + + + East Australian Current 3 Mooring + + 2013-05-23T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T05:41:09Z + EAC3 + + The East Australian Current 3 Mooring is operated by CSIRO, and collects data in the East Australian Current. The array that this mooring was part of was decommissioned in August 2013, and a newly configured array (with new moorings) was redeployed in May 2015. + + nominal latitude:-27.26,nominal longitude:154.29,nominal depth:4393m + + + + + + + 2012-04-19/2013-08-28 + + + + + + East Australian Current 4 Mooring + + 2013-05-23T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T05:41:18Z + EAC4 + + The East Australian Current 4 Mooring is operated by CSIRO, and collects data in the East Australian Current. The array that this mooring was part of was decommissioned in August 2013, and a newly configured array (with new moorings) was redeployed in May 2015. + + nominal latitude:-27.21,nominal longitude:154.65,nominal depth:4815m + + + + + + + 2012-04-19/2013-08-28 + + + + + + East Australian Current 5 Mooring + + 2013-05-23T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T05:41:25Z + EAC5 + + The East Australian Current 5 Mooring is operated by CSIRO, and collects data in the East Australian Current. The array that this mooring was part of was decommissioned in August 2013, and a newly configured array (with new moorings) was redeployed in May 2015. + + nominal latitude:-27.1,nominal longitude:155.3,nominal depth:4707m + + + + + + + 2012-04-19/2013-08-28 + + + + + + Ombai Mooring + + 2013-05-23T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T06:59:27Z + ITFOMB + + The Ombai Mooring is operated by CSIRO, and collects data in the Indonesian Throughflow. This mooring was decommissioned in October 2015. + + + nominal latitude:-8.52983,nominal longitude:125.0885,nominal depth:3251m + + + 2011-06-09/2015-10-22 + + + + + + Timor North Mooring + + 2013-05-23T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T05:44:47Z + ITFTIN + + The Timor North Mooring is operated by CSIRO, and collects data in the Indonesian Throughflow. This mooring was decommissioned in April 2014. + + + nominal latitude:-8.855,nominal longitude:127.198,nominal depth:1114m + + + 2011-06-09/2014-04-17 + + + + + + Timor Sill Mooring + + 2013-05-23T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T05:44:47Z + ITFTSL + + The Timor Sill Mooring is operated by CSIRO, and collects data in the Indonesian Throughflow. This mooring was decommissioned in October 2015. + + + nominal latitude:-9.2757,nominal longitude:127.3557,nominal depth:3300m + + + 2011-05-26/2015-10-26 + + + + + + Polynya1 Mooring + + 2013-05-23T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T01:40:14Z + POLYNYA1 + + The Polynya1 mooring is operated by CSIRO, and collects data near the Adelie Land coast, in the Southern Ocean. This mooring was decommissioned in January 2015. + + nominal latitude:-66.19767,nominal longitude:143.46867,nominal depth:600m + + + 2011-01-10/2015-01-17 + + + + + + Polynya2 Mooring + + 2013-05-23T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T01:40:25Z + POLYNYA2 + + The Polynya2 mooring is operated by CSIRO, and collects data near the Adelie Land coast, in the Southern Ocean. This mooring was decommissioned in January 2015. + + nominal latitude:-66.20372,nominal longitude:143.20683,nominal depth:600m + + + 2011-01-10/2015-01-17 + + + + + + Polynya3 Mooring + + 2013-05-23T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T01:40:25Z + POLYNYA3 + + The Polynya3 mooring is operated by CSIRO, and collects data near the Adelie Land coast, in the Southern Ocean. The mooring is trapped in sea ice, and considered irretrievable in 2015. + + + nominal latitude:-66.14992,nominal longitude:143.01283,nominal depth:560m + + + + + + + + Joana Bonita + + 2013-05-27T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:37:34Z + 3EFY6 + + General Cargo ship vessel. It was called the Joana Bonita from 1988 until April 2002. It is now called the Xuan De Men (Panama, June 2010). It was disposed of in approximately 2010. + IMO:7813597 + + built:1979 + + + + + + + Beagle Gulf Mooring + + 2015-07-07T03:18:13Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-02T23:38:20Z + DARBGF + + The Beagle Gulf Mooring is operated by AIMS (Australian Institute of Marine Science) and collects data which complements the National Reference Station in Darwin Harbour. + + nominal latitude:-12.1075,nominal longitude:130.58725,nominal depth:29.6m + + + + + + Bateman's Marine Park 70m Mooring + + 2017-06-15T02:48:05Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T05:19:13Z + BMP070 + + It is one of two moorings deployed near Narooma, southern NSW, to capture the variability of the shelf waters, poleward of the East Australian Current (EAC) separation point. This mooring replaces the former 90m mooring, and was enabled through co-investment from Bega Valley Shire Council. + + nominal latitude:-36.1897,nominal longitude:150.1893,nominal depth:70m + + + + + + + + + + + + + + M-Sagar + + 2013-05-27T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:42Z + 3FHA9 + + Container ship vessel. It was called the d M-Sagar between Aug 2010 and Aug 2012, and is now called the Meratus Gorontalo (Indonesia, Feb 2013). + IMO:9202895 + + built:1999 + + + + + + Medontario + + 2013-05-27T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:43:16Z + 5BDC2 + + Container ship vessel, which is currently flying the flag of Cyprus (May 2013). + IMO:9437115 + + built:2008 + + + + + + + Forum Samoa II + + 2013-05-27T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-07T06:51:37Z + 5WDC + + General Cargo ship vessel. It was called the Forum Samoa II from 2001 until June 2010. It was then shortly called the Opal Harmony, then Southern Moana, and is now known as Capitaine Fearn (July, 2015). + IMO:9210713 + + built:2001 + + + + + + + + + Montreal Senator + + 2013-05-27T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:42Z + 9MCN6 + + Container ship vessel. It was called the Montreal Senator between June 1998 and January 2006, it is now called the Strait Mas (Indonesia, January 2009). It was disposed of in 2016. + IMO:8705424 + + built:1987 + + + + + + Swan River Bridge + + 2013-05-27T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:57:54Z + 9V8218 + + Container ship vessel, which is currently flying the flag of Singapore (May 2013). + IMO:9550395 + + built:2010 + + + + + + + Australia Star + + 2013-05-27T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:42Z + 9VBZ + + Container ship vessel. It was called the Australia Star from 1978 until Feb 1989, and March 1992 until May 1994. It was disposed of in 2001 (Sea Express). + IMO:7636676 + + built:1978 + + + + + + Tower Bridge + + 2013-05-27T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:43Z + 9VMI6 + + Container ship vessel, which is currently flying the flag of Singapore (May 2013). It was disposed of in approximately 2010. + IMO:8505989 + + built:1985 + + + + + + Anro Asia + + 2013-05-27T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T04:09:01Z + 9VUU + + Container ship vessel, which flew the flag of Singapore. It was disposed of in 1997. + IMO:7631456 + + built:1978 + + + + + + + New Zealand Star + + 2013-05-27T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:43Z + 9VWM + + Container ship vessel, which flew the flag of Singapore. It was disposed of in 1998. + IMO:7113301 + + built:1971 + + + + + + Capitaine Tasman + + 2013-05-27T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2019-03-27T21:43:07Z + A3BN5 + P3CV9 + + General Cargo ship vessel. It was called the Capitaine Tasman from March 2002 until April 2010. This ship's callsign was P3CV9 in 2002. It is now called Ual Coburg (Cyprus, August 2009). + IMO:9210725 + + callsign:A3BN5 (P3CV9 in 2002), built:2002 + + + + + + + Camden Sound 50m Mooring + + 2017-06-15T02:52:46Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T05:51:57Z + CAM050 + + The Camden 50m mooring (platform code CAM050) was deployed in 2014 for a short time in the Kimberley region replacing the former Kimberley and Pilbara arrays. It was decommissioned in 2015. + + nominal latitude:-14.8502,nominal longitude:123.8026,nominal depth:50m + + 2014-08-28/2015-07-28 + + + + + + Fua Kavenga + + 2013-05-31T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:42Z + A3CA + + Ro-ro cargo ship vessel. It was called the Fua Kavenga from 1979 until May 2002. It is now called the Ocean Glory (Comoros, May 2013). It was disposed of in approximately 2011. + IMO:7820538 + + built:1979 + + + + + + Southern Moana + + 2013-05-28T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:55:53Z + A3CG3 + + General Cargo ship vessel. It was called the Southern Moana from Dec 2001 until may 2011. It is now called the Red Rock (Indonesia, October 2010). + IMO:9197026 + + built:2000 + + + + + + + + Nedlloyd Nelson + + 2013-05-28T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:41Z + A8AI6 + + Container ship vessel. It was called the P&O Nedlloyd Nelson from July 2002 until May 2004. It is now called the Hansa Nordburg (Liberia, January 2008). + IMO:9236212 + + built:2002 + + + + + + MSC Hobart + + 2013-05-28T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:39:21Z + A8AK3 + + Container ship vessel. This ship was also called the MSC Hobart from Oct 2004 until May 2007. It has been named as such again from July 2007, and is currently flying the flag of Liberia (May 2013). + IMO:9077288 + + built:1994 + + + + + + + CMA CGM Charcot + + 2013-05-28T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-19T04:57:52Z + A8HE4 + + Container ship vessel. It was called the CMA CGA Charcot from Nov 2007 until Aug 2011. It is now called the Euro Max (Liberia, October 2012). + IMO:9232773 + + built:2002 + + + + + + + CMA CGM Mimosa + + 2013-05-28T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-19T04:58:25Z + A8IF2 + + Container ship vessel, which is currently flying the flag of Liberia (May 2013). + IMO:9314961 + + built:2006 + + + + + + + CMA CGM Melbourne + + 2013-05-28T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:16:46Z + A8IG9 + + Container ship vessel. It was called the CMA CGM Melbourne from 2006 until Aug 2008. It is now called the Westertal (Liberia, March 2008). + IMO:9316347 + + built:2006 + + + + + + + Passat Spring + + 2013-05-28T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:51:23Z + A8JY8 + + Container ship vessel, which is currently flying the flag of Liberia (May 2013). + IMO:9316359 + + built:2006 + + + + + + + CMA CGM Auckland + + 2013-05-28T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-19T05:06:09Z + A8KD7 + + Container ship vessel, which is currently flying the flag of Liberia (May 2013). + IMO:9344564 + + built:2006 + + + + + + + Ital Ottima + + 2013-05-28T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:42Z + A8LN3 + + Container ship vessel, which is currently flying the flag of Liberia (May 2013). + IMO:9337262 + + built:2007 + + + + + + Camden Sound 100m Mooring + + 2017-06-15T02:56:39Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T05:51:57Z + CAM100 + + The Camden 100m mooring (platform code CAM100) was deployed in 2014 for a short time in the Kimberley region replacing the former Kimberley and Pilbara arrays. It was decommissioned in 2015. + + nominal latitude:-14.31475,nominal longitude:123.5954,nominal depth:100m + + 2014-08-29/2015-07-28 + + + + + + Buxlink + + 2013-05-28T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T04:52:01Z + A8SW3 + + Container ship vessel, which is currently flying the flag of Liberia (May 2013). + IMO:9235816 + + built:2002 + + + + + + + AS Cypria + + 2013-05-28T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:40Z + A8UY4 + + Container ship vessel, which is currently flying the flag of Liberia (May 2013). + IMO:9315812 + + built:2006 + + + + + + + MSC Federica + + 2013-05-28T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:39Z + C4LV + + A vessel, which flew the flag of Cyprus. It was disposed of in approximately 2010. + IMO:7347512 + + built:1974 + + + + + + Brisbane Star + + 2013-05-31T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T04:51:39Z + C6LY4 + + Container ship vessel. It was called the Brisbane Star from July 1993 until Jan 1998. It was disposed of in 2002. + IMO:7516371 + + built:1978 + + + + + + + P&O Nedlloyd Adelaide + + 2013-05-31T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:39Z + C6RJ6 + + Container ship vessel. It was called the P&O Nedlloyd Adelaide from Oct 2000 until Jan 2006. It is now called the Sky Interest (Hong Kong, 2006). It was disposed of in 2007. + IMO:7428380 + + built:1977 + + + + + + CMA CGM Utrillo + + 2013-05-28T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:39Z + C6VL6 + + Container ship vessel, which flew the flag of Bahamas. It is now called the CMA CGM Matisse (Cyprus, January 2009). + IMO:9192428 + + built:1999 + + + + + + Stadt Weimar + + 2013-05-28T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:56:44Z + DCHO + + Container ship vessel. This ship was also called the Stadt Weimar from 2006 until March 2011. It has been named as such again from March 2012, and is currently flying the flag of Germany (July 2012). + IMO:9320051 + + built:2006 + + + + + + + Canberra Express + + 2013-05-28T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:24:38Z + DFCW2 + + Container ship vessel, which is currently flying the flag of Germany (May 2013). + IMO:9224049 + + built:2000 + + + + + + + Wellington Express {DFCX2} + + 2013-05-28T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T06:00:48Z + DFCX2 + + Container ship vessel, which is currently flying the flag of Germany (May 2013). The ship's callsign was VSUA5 from 2006 until May 2007. + IMO:9224051 + + callsign:DFCX2 (VSUA5, 2006-05/2007), built:2001 + + + + + + + + Adelaide Express + + 2013-05-28T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:40Z + DHSN + + Container ship vessel. It was called the Adelaide Express form Feb 2006 until July 2009. It is now called the Classica (Antigua & Barbuda, April 2009). It was disposed of in 2016. + IMO:9143245 + + built:1998 + + + + + + Northwest Sanderling + + 2017-06-15T06:36:06Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2019-03-27T06:45:14Z + VNVZ + + LNG tanker vessel, which is currently flying the flag of Australia (June 2017). + IMO:8608872 + + built:1989 + + + + + + + Contship Action + + 2013-05-28T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2019-03-27T21:44:23Z + DLHV + + Container ship vessel, managed by Contship Containerlines, and was sold in 2003. It was disposed of in approximately 2012. + IMO:9122215 + + built:1996 + + + + + + + P&O Nedlloyd Encounter + + 2013-05-28T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-19T05:39:30Z + DPGZ + ELZZ4 + + Container ship vessel. It was called the P&O Nedlloyd Encounter from April 2002 until Jan 2006. The ship's callsign was ELZZ4 from 2003 until October 2004. It is now called the Santa Rebecca (Germany, January 2008). + IMO:9227302 + + callsign:DPGZ (ELZZ4, 2003-2004) ,built:2002 + + + + + + + Bay Bridge + + 2013-05-28T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:33Z + ELES7 + + Container ship vessel, which is currently flying the flag of Liberia (May 2013). It was disposed of in approximately 2009. + IMO:8413203 + + built:1985 + + + + + + P&O Nedlloyd Otago + + 2013-05-28T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:48:58Z + ELJP4 + + Container ship vessel. It was called the P&O Nedlloyd Otago from Aug 1999 until July 2000. It is now called the Provider (Liberia, March 2006). It was disposed of in approximately 2009. + IMO:7807263 + + built:1978 + + + + + + + Pacific Triangle + + 2013-05-28T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:33Z + ELXS8 + + Bulk Carrier vessel, which is currently flying the flag of Liberia (May 2013). + IMO:9189158 + + built:2000 + + + + + + P&O Nedlloyd Salerno + + 2013-05-31T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:33Z + ELYE9 + + Container ship vessel. It was called the P&O Nedlloyd Salerno from July 2000 until June 2002. It is now called the Isolde (Liberia, Feb 2008). + IMO:9187875 + + built:2000 + + + + + + MSC New Plymouth + + 2013-05-31T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:33Z + ELZT9 + + Container ship vessel. It was called the MSC New Plymouth from January 2002 until January 2004. It is now called the Hansa Aelesund (Liberia, May 2013). + IMO:9221061 + + built:2001 + + + + + + Melbourne Star + + 2013-05-29T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:33Z + GOVL + + Container ship vessel, which is currently flying the flag of UK (June 2011). It was disposed of in 2003. + IMO:7108162 + + built:1971 + + + + + + Encounter Bay + + 2013-05-29T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2019-03-27T21:46:55Z + GYRW + + Container ship vessel, which was flying the flag of UK. It was disposed of in 1999. + IMO:6818461 + + built:1969 + + + + + + + Tonsberg + + 2017-06-16T02:18:54Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-06-16T02:20:43Z + HA2066 + + Vehicle carrier vessel, currently flying the flag of Malta (February 2017). + IMO:9515383 + + built:2011 + + + + + + Flinders Bay + + 2013-05-29T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:31:57Z + GYSA + + Container ship vessel, which was flying the flag of UK. It was disposed of in 1996. + IMO:6822541 + + built:1969 + + + + + + + Botany Bay + + 2013-05-29T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T04:51:16Z + GYSE + + Container ship vessel, which was flying the flag of UK. It was disposed of in 1999. + IMO:6907016 + + built:1969 + + + + + + + Discovery Bay + + 2013-05-31T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:30:39Z + GYXG + + Container ship vessel, which was flying the flag of Saint Vincent & Grenadines. It was disposed of in 1998. + IMO:6901426 + + built:1969 + + + + + + + America Star + + 2013-05-29T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T04:08:12Z + GZKA + + Container ship vessel, which was flying the flag of UK. It was disposed of in 2003. + IMO:7052909 + + built:1971 + + + + + + + MSC Didem + + 2013-05-29T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:32Z + H8VZ + + Container ship vessel, which is currently flying the flag of Panama (May 2013). + IMO:8517891 + + built:1987 + + + + + + Safmarine Meru + + 2013-05-29T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-19T05:41:25Z + 9V6535 + MNDC9 + + Container ship vessel, which is currently flying the flag of Singapore (April 2012). It was disposed of in 2016. + IMO:9311696 + + callsign:9V6535 (MNDC9 prior to Feb, 2011); built:2006 + + + + + + + Wellington Express {MWSD3} + + 2013-05-31T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T06:00:31Z + MWSD3 + + Container ship vessel. It was called the Wellington Express from 1996 until August 2002. It is now caled the Troy Y (Moldova, August 2012). + built:9130901 + + commissioned:1996 + + + + + + + Polar Star + + 2013-05-29T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:51:59Z + NBTM + + Icebreaker vessel, which is currently flying the flag of the US (May 2013). + IMO:7367471 + + built:1976 + + + + + + + SA Sederberg + + 2013-05-29T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:32Z + ONAT + + Container ship vessel, which was flying the flag of Belgium (2003). It was disposed of in approximately 2008. + IMO:7423031 + + built:1978 + + + + + + Maersk Constantia + + 2013-05-29T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2019-03-27T22:03:03Z + ONAV + + Container ship vessel. It was called the Maersk Constantia from May 2001 until June 2008. It was disposed of in 2008. + IMO:7422207 + + built:1979 + + + + + + + ANL Waratah + + 2017-06-16T02:21:09Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2019-03-27T21:37:58Z + A8IY2 + + Container ship vessel, currently flying the flag of Liberia (March 2017). + IMO:9326794 + + built:2005 + + + + + + + Lowlands Prosperity + + 2013-05-29T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:38:20Z + ONDB + + Bulk Carrier vessel. It was called the Lowlands Prosperity from Aug 2004 until Jan 2012. It is now called the John Oldendorff (Liberia, September 2011). + IMO:9225005 + + built:2000 + + + + + + + Contship Ambition + + 2013-05-29T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:32Z + P3GU7 + + Container ship vessel. It was called the CONTSHIP Ambition from 1996 until Dec 2002. It is now called the Pisti (Panama, April 2008). + IMO:9122203 + + built:1996 + + + + + + Bartok + + 2013-05-31T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:32Z + P3ZB3 + + General cargo ship vessel. It was called the Bartok from 1990 until 1995. It is now called the Crown Pearl (Panama, April 2010). It was disposed of in approximately 2012. + IMO:8702850 + + built:1990 + + + + + + P&O Nedlloyd Jakarta + + 2013-05-30T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:48:28Z + PDHU + + Container ship vessel. It was called the P&O Nedlloyd Jakarta from 1998 until Feb 2006. It is now called the Maersk Penang (Netherlands, November 2010). + IMO:9168192 + + built:1998 + + + + + + + P&O Nedlloyd Sydney + + 2013-05-30T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:49:20Z + PDHY + + Container ship vessel. It was called the P&O Nedlloyd Sydney from 1998 until Feb 2006. It is now called the Maersk Pembroke (Netherlands, January 2011). + IMO:9168180 + + built:1998 + + + + + + + Nedlloyd Raleigh Bay + + 2013-05-30T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:46:01Z + PHKG + + Container ship vessel. It was called the Raleigh Bay from Aug 1994 to Oct 1996. It is now called the Jupiter (Tuvalu, December 2008). It was disposed of in approximately 2012. + IMO:8308719 + + built:1985 + + + + + + + + P&O Nedlloyd Brisbane + + 2013-05-30T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:31Z + PHKG + + Container ship vessel. It was called the P&O Nedlloyd Brisbane from Jan 1997 to Jan 2006. It is now called the Jupiter (Tuvalu, December 2008). It was disposed of in approximately 2012. + IMO:8308719 + + built:1985 + + + + + + + Maersk Aberdeen + + 2013-05-31T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:31Z + S6BD + + Containter ship vessel, which is flying the flag of Hong Kong (May, 2013). + IMO:9175793 + + built:1999 + + + + + + ANL Whyalla + + 2017-06-16T02:22:27Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-06-16T02:23:33Z + 9VEN5 + + Container ship vessel which was known as the ANL Whyalla from 2009 until 2015. It is now known as the SCT Vietnam. + IMO:9295359 + + built:2005 + + + + + + Meridian + + 2013-05-30T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:31Z + UUYY + + Training Ship vessel, which was flying the flag of USSR. It was disposed of in 1984. + IMO:5232696 + + built:1962 + + + + + + ANL Progress + + 2013-05-31T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:31Z + V20D7 + + Containter ship vessel. It was called the ANL Progress from July 2003 until May 2005. It is now called the Meratus Batam (Indonesia, May 2013). + IMO:9131814 + + built:1996 + + + + + + Ranginui + + 2013-05-31T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:52:54Z + V2AE5 + + General Cargo ship vessel. It was called the Ranginui from August 1994 until November 1999. It is now called the Aylin (Turkey, May 2013). + IMO:8603535 + + built:1984 + + + + + + + Baltrum Trader + + 2013-05-30T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:31Z + V2AP6 + + Container ship vessel. It was called the Baltrum Trader (which callsign V2AP6) from Jan 2000 until May 2007. It is again called the Baltrum Trader (callsign A8ZP9), flying the flag of Liberia (April, 2007). + IMO:9138317 + + built:1999 + + + + + + Florence + + 2013-05-30T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:32:24Z + V2BF1 + + Container ship vessel. It was called the Florence from Oct 2005 until May 2012. It is now called the Damai Sejahtera li (Indonesia, Oct 2010). + IMO:9085601 + + built:1995 + + + + + + + Vega Gotland + + 2013-05-30T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:58:55Z + V2BP4 + + Container ship vessel, which is currently flying the flag of Antigua & Barbuda (May 2013). + IMO:9336347 + + built:2006 + + + + + + + Rangitata + + 2013-05-31T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:53:10Z + V2GB + + Cargo ship vessel. It was called the Rangitata from February 1992 until August 1998. It is now called the Emma (Antigua & Barbuda, May 2013). + IMO:8509014 + + built:1985 + + + + + + + Karin Knorr + + 2013-05-31T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:37:52Z + V2HX + + General Cargo ship vessel. It was called the Karin from October 1990 until 1998. It is now called the Melody li (Panama, May 2013). It was disposed of in approximately 2009. + IMO:6523107 + + built:1965 + + + + + + + Iron Dampier + + 2013-06-03T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:35:18Z + V2LM + VNGZ + + Cargo ship vessel. It was called the Iron Dampier from May 1992 until April 1998. The ship's callsign was VNGZ from 1992 until September 1996. It was disposed of in 2009. + IMO:7906942 + + callsign:V2LM (VNGZ from 1992-1996), built:1981 + + + + + + + Anro Australia + + 2013-05-30T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2019-03-27T21:39:03Z + VJBQ + + Ro-ro Cargo ship vessel. It was called the Anro Australia from 1977 until June 1997. It was then called the Kevat (Saint Vincent & Grenadines). It was disposed of in 1997. + IMO:7619410 + + built:1977 + + + + + + + Island Chief + + 2017-06-16T02:23:54Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-06-16T02:25:45Z + VRRB + + Container ship vessel, which is currently flying the flag of Hong Kong (December 2016) + IMO:8810449 + + built:1989 + + + + + + + Iron Newcastle + + 2013-06-03T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2019-03-27T21:50:24Z + VJDI + + Bulk carrier ship vessel. It was called the Iron Newcastle from 1985 until June 1999. It is now called the Camriz (Panama, Aug 2007). It was disposed of in approximately 2010. + IMO:8412443 + + built:1985 + + + + + + + Iron Kembla + + 2013-06-03T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:35:53Z + VJDK + + Bulk carrier ship vessel. It was called the Iron Kembla from 1986 until May 2005. It was then called the Merit Land (Panama). It was disposed of in approximately 2011. + IMO:8412455 + + built:1986 + + + + + + + Iron Pacific + + 2013-06-03T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:36:09Z + VJDP + + Bulk carrier ship vessel. It was called the Iron Pacific from 1986 until 1998. It was then called the Berge Pacific (Norway). It was disposed of in approximately 2011. + IMO:8412675 + + built:1986 + + + + + + + Franklin + + 2013-05-30T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T03:50:24Z + VJJF + + Research ship vessel, which was flying the flag of Australia. It was decommissioned in 2002. + IMO:8301797 + + built:1985 + + + + + + + Australian Progress + + 2013-06-03T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:36Z + VMAP + + Bulk carrier ship vessel. It was called the Australian Progress from 1977 until March 1991. It was then called Treasure Sea (Panama). It was disposed of in 1992. + IMO:7408823 + + built:1977 + + + + + + Iron Flinders + + 2013-06-03T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:35:36Z + VNGL + + General cargo ship vessel. It was called the Iron Flinders from February 1991 until May 1999. It is now called the India Express (Panama, January 2008). It was disposed of in approximately 2013. + IMO:8407199 + + built:1986 + + + + + + + Australian Enterprise + + 2013-06-03T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T04:09:23Z + VNVT + + Container ship vessel. It was called the Australian Enterprise from January 1997 until 2001. It was most recently called the ANL Explorer. It was disposed of in approximately 2009. + IMO:8506098 + + built:1985 + + + + + + + Contship Borealis + + 2013-05-30T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:30:11Z + VQEN2 + + Container ship vessel. It was called the Contship Borealis from 2002 until Aug 2005. It is now called the Glasgow Express (Germany, January 2008). + IMO:9232589 + + built:2002 + + + + + + + Contship Australis + + 2013-05-30T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:29:39Z + VQEN3 + + Container ship vessel. It was called the Contship Australis from 2002 until July 2005. It is now called the Dublin Express (Germany, October 2010). + IMO:9232577 + + built:2002 + + + + + + + Kweichow + + 2017-06-16T03:37:03Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-06-16T03:38:03Z + VRAE2 + + Cargo ship vessel, which is currently flying the flag of Hong Kong (November 2015). + IMO:9070694 + + built:1994 + + + + + + Coral Chief + + 2013-05-30T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:35Z + VROC + + Container ship vessel, which is currently flying the flag of Hong Kong (May 2013). + IMO:8809191 + + built:1989 + + + + + + Papuan Chief + + 2013-05-30T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:51:00Z + VRRC + + Container ship vessel, which is currently flying the flag of Hong Kong (May 2013). + IMO:8901705 + + built:1991 + + + + + + + Kokopo Chief + + 2013-05-30T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-06-16T02:25:45Z + VRRD + + Container ship vessel, which is currently flying the flag of Hong Kong (May 2013). + IMO:8907412 + + built:1990 + + + + + + + P&O Nedlloyd Napier + + 2013-05-30T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:35Z + VRSC + + Container ship vessel, which was flying the flag of Hong Kong. It was called the P&O Nedlloyd Napier from Aug 1998. It was disposed of in approximately 2000. + IMO:7020401 + + built:1970 + + + + + + P&O Nedlloyd Wellington + + 2013-05-30T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:35Z + VSOP5 + + Container ship vessel. It was called the P&O Nedlloyd Wellington from June 2004 until Nov 2005. It is now called the Cs Star (UK, September 2011). + IMO:9020338 + + built:1993 + + + + + + TMM Tabasco + + 2013-05-30T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:35Z + VSUA5 + + Container ship vessel. It was called the Tmm Tabasco from 2000 until August 2005. It is now called the Wellington Express {DFCX2} (Germany, May 2013) + IMO:9224051 + + commissioned:2001 + + + + + + + Canmar Dynasty + + 2013-05-30T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:35Z + VSXC4 + + Container ship vessel. It was called the Canmar Dynasty from May 2003 until July 2005. It is now called the Sydney Express (UK, Feb 2012). + IMO:9062984 + + built:1994 + + + + + + + Sydney Express + + 2013-05-30T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:35Z + VSXC4 + + Container ship vessel, which is currently flying the flag of the UK (Feb, 2012). + IMO:9062984 + + built:1994 + + + + + + + Nimos + + 2013-06-03T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:35Z + ZCSL + + Container ship vessel. It was called the Nimos from 1977 until December 1990. It was disposed of in approximately 2011. + IMO:7640005 + + built:1977 + + + + + + Philadelphia + + 2017-06-16T03:38:33Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-06-16T03:40:46Z + A8CN8 + + Container ship vessel, which is currently flying the flag of Liberia (August 2015). + IMO:9232101 + + built:2002 + + + + + + Contship Aurora + + 2013-05-30T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:29:18Z + ZIZP9 + + Container ship vessel. It was called the Contship Aurora from 2002 until 2005. It is currently called the Liverpool Express (Germany, May 2013). + IMO:9232565 + + built:2002 + + + + + + + Act 6 + + 2013-05-31T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T04:07:43Z + GOVN + + Container ship vessel. It was called the Act 6 from 1972 until January 1992. It was disposed of in 2003. + IMO:7226275 + + built:1972 + + + + + + + Slocum Glider + + 2013-06-04T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:34Z + + The Slocum glider is 1.8 m long, 21.3 cm in diameter and weighs 52 kg.  Manufactured by Webb Research Corporation, the glider is designed to operate in coastal waters of up to 200 m deep where high maneuverability is needed.  Moving at an average forward velocity of 25 - 40 cm/s the glider travels in a sawtooth pattern through the water navigating its way to a series of pre-programmed waypoints using GPS and altimeter measurements.  Operating on C cell alkaline batteries, typical deployments can range up to 500 km with a duration of approximately 30 days.  + + + + + + + Seaglider UW + + 2013-06-04T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:34Z + + These Seagliders are 1.8m long, 30cm in diameter and weigh 52kg. Manufactured by the Seaglider Fabrication Center at the University of Washington, the gliders are designed to operate in the open ocean in depth up to 1000m.  Moving at an average forward velocity of 25 cm/s, Seagliders travel more slowly, alternately diving and climbing along slanting glide paths.  The gliders obtain GPS navigation fixes when they surface, which they use to glide through a sequence of programmed targets.  As they are deployed in the open ocean, Seagliders have a very large range sufficient to transit entire ocean basins and can be deployed for periods of up to 6 months.  + + + + + + + 1KA Seaglider + + 2013-06-04T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:34Z + + These Seagliders are 1.8-2m long, 30cm in diameter and weigh 52kg. Manufactured by iROBOT, they are designed to operate in the open ocean in depth up to 1000m.  Moving at an average forward velocity of 25 cm/s, Seagliders travel more slowly, alternately diving and climbing along slanting glide paths.  The gliders obtain GPS navigation fixes when they surface, which they use to glide through a sequence of programmed targets.  As they are deployed in the open ocean, Seagliders have a very large range sufficient to transit entire ocean basins and can be deployed for periods of up to 6 months.  + + + + + + + NEMO Argo Float + + 2013-06-07T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:34Z + + Navigating European Marine Observer (NEMO) Argo floats are manufactured by Optimare Sensorsystems AG. They are 2m (not including antenna) long, and weigh 30kg. Their maximum operational depth is 2000m, with a life time of 5 years / 150 profiles. + + manufacturer:Optimare Sensorysystems AG + + + + + + NINJA Argo Float with SBE + + 2013-06-07T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:34Z + + New profilINg float of JApan (NINJA) Argo floats are manufactured by the Tsurumi Seiki Co. (TSK). They are approx. 2420mm long, and weigh approx 32kg. Their maximum operational depth is 2000m. This float has a SBE conductivity sensor. + + manufacturer:Tsurumi Seiki Co. + + + + + + NAVIS Argo Float with Iridium antenna + + 2013-06-07T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:34Z + + Navis Argo floats are manufactured by Sea-Bird Electronics Inc. They are 159cm long, and weigh about 17kg. Their maximum operational depth is 2000m, with a life time of 300 CTD profiles. This float uses an alternative to the usual Systeme Argos location and data transmission system, and uses positions from the Global Positioning System (GPS) and data communication using the Iridium satellites. As of 2010, 250 floats have been deployed with Iridium antennas. + + manufacturer:Sea-Bird Electronics Inc. + + + + + + ARVOR Argo Float + + 2013-06-07T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:34Z + + Arvor Argo floats were originally manufactured by Kannad. The scientific instrumentation division for deep-sea oceanography was purchased by NKE Instrumentation on January 1st, 2009. They are 120cm long, and weight about 20kg. Their maximum operational depth is 2100m, with a life time of 4 years / 150+ cycles. + + manufacturer:NKE Instrumentation + + + + + + RTM Wakmatha + + 2015-07-07T03:26:45Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-13T05:52:37Z + 9V2768 + MVTW4 + + Bulk Carrier vessel, which is currently flying the flag of Singapore (October 2014). This ship previously flew the UK flag, with a corresponding callsign of MVTW4. + IMO:9341914 + + callsign:9V2768 (MVTW4 prior to 2014); built:2007 + + + + + + + Portugal + + 2017-06-16T03:39:39Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-06-16T03:40:54Z + D5IH5 + + Container ship vessel, which is currently flying the flag of Liberia (December 2015). + IMO:9147083 + + built:1998 + + + + + + SOLO Argo Float + + 2013-06-07T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:36Z + + SOLO Argo floats are manufactured by Scripps Institution of Oceanography, UC San Diego. They are 26 inches long, and weigh 18.6kg. Their maximum operational depth is 2300m, with a life time of 8.5 years / 300 profiles. + + manufacturer:Scripps Institution of Oceanography + + + + + + SOLO Argo Float with Iridium antenna + + 2013-06-07T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:36Z + + SOLO Argo floats are manufactured by Scripps Institution of Oceanography, UC San Diego. They are 26 inches long, and weigh 18.6kg. Their maximum operational depth is 2300m, with a life time of 8.5 years / 300 profiles. This float uses an alternative to the usual Systeme Argos location and data transmission system, and uses positions from the Global Positioning System (GPS) and data communication using the Iridium satellites. As of 2010, 250 floats have been deployed with Iridium antennas. + + manufacturer:Scripps Institution of Oceanography + + + + + + SOLO-II Argo Float with Iridium antenna + + 2013-06-07T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:36Z + + MRV Systems has licensed the intellectual property from Scripps Institution of Oceanography, UC San Diego to manufacture SOLO-II floats. They are 26 inches long, and weigh 18.6kg. Their maximum operational depth is 2300m, with a life time of 8.5 years / 300 profiles. + + manufacturer:MRV Systems + + + + + + PALACE R1 Argo Float + + 2013-06-07T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:36Z + + Profiling Autonomous Lagrangian Circulation Explorer (PALACE) R1 Argo floats were manufactured by Webb Research Corporation. They have been replaced by the APEX model. + + manufacturer:Webb Research + + + + + + APEX Argo Float + + 2013-06-07T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:36Z + + Autonomous Profiling EXplorer (APEX) Argo floats are manufactured by Teledyne Webb Research. The are 130 cm (not including antenna) long, and weigh 26kg. Their maximum operational depth is 2000m, with a life time of 4 years / 150 profiles. + + manufacturer:Teledyne Webb Research + + + + + + APEX Argo Float with Iridium antenna + + 2013-06-07T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:36Z + + Autonomous Profiling EXplorer (APEX) Argo floats are manufactured by Teledyne Webb Research. The are 130 cm (not including antenna) long, and weigh 26kg. Their maximum operational depth is 2000m, with a life time of 4 years / 150 profiles. This float uses an alternative to the usual Systeme Argos location and data transmission system, and uses positions from the Global Positioning System (GPS) and data communication using the Iridium satellites. As of 2010, 250 floats have been deployed with Iridium antennas. + + manufacturer:Teledyne Webb Research + + + + + + APEX Argo Float with APF8 controller board + + 2013-06-07T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:36Z + + Autonomous Profiling EXplorer (APEX) Argo floats are manufactured by Teledyne Webb Research. The are 130 cm (not including antenna) long, and weigh 26kg. Their maximum operational depth is 2000m, with a life time of 4 years / 150 profiles. This float uses an APF8 controller board. + + manufacturer:Teledyne Webb Research + + + + + + PROVOR Argo Float + + 2013-07-04T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:36Z + + Martec and MetOcean Data Systems Ltd. merged in 2001, with Martec creating PROVOR floats for the French and European markets, and MetOcean will manufacture PROVOR floats for the markets in North America and outside of Europe. PROVOR CTS3 has been designed by IFREMER and MARTEC in industrial partnership. and are manufactured by NKE Instrumentation. The scientific instrumentation division for deep-sea oceanography of Kannad was purchased by NKE Instrumentation on January 1st, 2009. They are 170cm long, and weight about 34kg. Their maximum operational depth is 2000m, with a life time of 4/4.5 years / 170 cycles. + + manufacturer:Martec/Metocean/NKE Instrumentation/Kannad + + + + + + Lizard Island Base Station + + 2013-06-13T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T06:31:11Z + Lizard_Island + + The infrastructure consists of a base station mounted on the workshop of the Lizard Island Research Station (LIRS), two sensor poles that create the on-reef network and four sensor floats on which the sensors are attached. + + + + + + + + + + + + + Lizard Island Relay Pole 1 + + 2013-06-13T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T06:30:59Z + LIZRP1 + + A 6m galvanized pole has been deployed in the western part of the lagoon. It has no sensors attached to it. + + + + + + + + + + + + + Salome + + 2017-06-16T03:41:29Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-06-16T03:43:18Z + 9V9112 + + Vehicle carrier vessel, currently flying the flag of Singapore (April 2015). + IMO:9515412 + + built:2011 + + + + + + Lizard Island Relay Pole 2 + + 2013-06-13T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T06:31:11Z + LIZRP2 + + A 6m galvanized pole has been deployed in the eastern part of the lagoon in behind Seabird Islet. The Relay Pole has three functions. The first is to propagate the wireless network through which the buoys talk and so it forms part of the network backbone talking directly to Relay-Pole 1. The second function is that a vaisala WXT520 weather station is mounted on the top and so this pole provides above water met observations. These include air temperature, humidity, air pressure, wind speed and direction and rainfall. The third function is that a sensor string is attached to the pole, the sensor string runs through a channel in Seabird Islet across the exposed seaward reef flat to the reef crest and then down the reef slope to around 20m. This gives a profile down the reef slope and gives readings of the water coming onto the reef complex. The pole has two Campbell Scientific loggers (one for the weather station, one for the sensors), spread-spectrum radio and 2.4/5 GHz 802.11 wireless for communicating with the base station (located at the workshop near the Research Station). The sensor string as of August 2010 has a SeaBird SBE37 at the end of the sensor string (around 230m out from the pole), and two SeaBird SBE39's located at teh reef crest and down at the start of the reef slope. + + + + + + + + + + + + + Lizard Island Sensor Float 1 + + 2013-06-13T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-17T02:24:43Z + LIZSF1 + + A round 1.4m yellow buoy has been deployed in the southern part of the main lagoon of Lizard Island to the south-east of Palfrey Island. The buoy is configured as a sensor-float with a Campbell Scientific logger, spread-spectrum radio and 2.4/5 GHz 802.11 wireless for communicating with the base station (located at the workshop near the Research Station) a surface mounted (60cm under the water surface) thermistor and an inductive modem to support a range of inductive sensors, initially this will be a SeaBird SBE39 measuring temperature and pressure (depth) and a SeaBird SBE37 measuring conductivity (salinity), temperature and depth. As of August 2010 the inductive sensors are just located in the area around the buoy, it is intended at a later date to re-position these southwards on the external reef slope to give a profile of water outside the lagoon. This buoy was decommissioned in March 2018. + + + + + + + + 2010-08-15/2014-04-04 + + + + + + Lizard Island Sensor Float 2 + + 2013-06-13T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-17T02:26:10Z + LIZSF2 + + A round 1.4m yellow buoy has been deployed in the southern part of the main lagoon of Lizard Island to the east of Palfrey Island. The buoy is configured as a sensor-float with a Campbell Scientific logger, spread-spectrum radio and 2.4/5 GHz 802.11 wireless for communicating with the base station (located at the workshop near the Research Station) a surface mounted (60cm under the water surface) thermistor and an inductive modem to support a range of inductive sensors, initially this will be a SeaBird SBE39 measuring temperature and pressure (depth) and a SeaBird SBE37 measuring conductivity (salinity), temperature and depth. As of August 2010 the inductive sensors are located along a 30m cable that runs north into the main lagoon with a SBE39 located at the base of the buoy and the SBE37 at the end of the sensor run. This buoy was decommissioned in March 2018. + + + + + + + + 2010-08-13/2016-11-14 + + + + + + Lizard Island Sensor Float 3 + + 2013-06-13T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T05:46:19Z + LIZSF3 + + A round 1.4m yellow buoy has been deployed in the eastern part of the main lagoon of Lizard Island. The buoy is configured as a sensor-float with a Campbell Scientific logger, spread-spectrum radio and 2.4/5 GHz 802.11 wireless for communicating with the base station (located at the workshop near the Research Station) a surface mounted (60cm under the water surface) thermistor and an inductive modem to support a range of inductive sensors, initially this will be a SeaBird SBE39 measuring temperature and pressure (depth). As of August 2010 the inductive sensors are located along a 30m cable that runs north into the main lagoon with a SBE39 located at the end of the sensor run. + + + + + + + + + + + + + Lizard Island Sensor Float 4 + + 2013-06-13T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T05:46:43Z + LIZSF4 + + A round 1.4m yellow buoy has been deployed in the western part of the main lagoon of Lizard Island to the south of the research station. The buoy is configured as a sensor-float with a Campbell Scientific logger, spread-spectrum radio and 2.4/5 GHz 802.11 wireless for communicating with the base station (located at the workshop near the Research Station) a surface mounted (60cm under the water surface) thermistor and an inductive modem to support a range of inductive sensors, initially this will be a SeaBird SBE39 measuring temperature and pressure (depth) and a SeaBird SBE37 measuring conductivity (salinity), temperature and pressure (depth). As of August 2010 the inductive sensors are located along a 50m cable that runs north into the main lagoon with a SBE39 located at the base of the buoy and the 37 at the end of the sensor run. + + + + + + + + + + + + + Orpheus Island Base Station + + 2013-06-13T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T06:33:06Z + Orpheus_Island + + The infrastructure consists of a base station located on an existing mast at the Orpheus Island Research Station run by James Cook University, two sensor-floats or buoys - one located in Pioneer Bay off the Research Station and one in Little Pioneer Bay and three Relay / Sensor Poles - two located on the reef flat on the north-west point of Orpheus Island and one located on the southern point of near-by Pelorus Island. + + + + + + + + + + + + Orpheus Island Relay Pole 1 + + 2013-06-13T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2019-01-15T00:10:42Z + OIRP1 + + A 6m steel self supporting pole was erected on the southern side of Pelorus Island in the channel between Pelorus Island and Orpheus Island. The pole provides network connectivity for the other Relay Poles located on the northen edge of Orpheus Island (RP2 and RP3) as well as a back-haul link to the mainland using a nextG connection. The pole has an array of sensors on it including two MEA thermistors located 50m and 100m away from the pole on a transect from the pole into the deep water of the channel. The pole also has a SeaBird SBE39 (temp + pressure) located around 100m from teh pole and a SBE37 (conductivity, temperature and pressure) located approximatly 200m from teh pole in the deep waters of the channels. The pole was decommissioned in July 2018. + + + + + + + 2009-12-18/2017-09-11 + + + + + + Orpheus Island Relay Pole 2 + + 2013-06-13T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2019-01-15T00:12:23Z + OIRP2 + + A 6m steel self supporting pole was erected on the northern side of Orpehus Island in the channel between Pelorus Island and Orpheus Island. The pole is set up as per RP1 with two MEA thermistors located at 50m and 100m from the pole and an SBE39 located 100m from the pole and an SBE37 located 200m from the pole in the deeper water. This pole was decommissioned in July 2018. + + + + + + + 2009-11-08/2017-09-11 + + + + + + Orpheus Island Relay Pole 3 + + 2013-06-13T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2019-01-15T00:13:52Z + OIRP3 + + A 6m steel self supporting pole was erected on the north/west side of Orpehus Island in the channel between Pelorus Island and Orpheus Island but positioned to face more towards the ocean and just on teh entrance to the channel. RP3 on the seaward side of Orpheus Island is set up the same as RP1 and RP2 although as of early 2010 only the two MEA thermistors at 50 and 100m are installed, the SBE37 and SBE39 wil be instaled later in 2010. A vaisala WTX520 weather station is installed on this pole. This pole was decommissioned in July 2018. + + + + + + + 2009-11-08/2017-09-11 + + + + + + Orpheus Island Sensor Float 1 + + 2013-06-13T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T05:47:37Z + OISF1 + + A round 1.4m yellow buoy has been deployed in Little Pioneer Bay, Orpheus Island, just off the research station in the central part of the Great Barrier Reef. The buoy is configured as a sensor-float with a Campbell Scientific logger, a spread-spectrum radio for communicating with the base station (located near the Research Station) a surface mounted (60cm under the water surface) thermistor and an inductive modem to support a range of inductive sensors, initially this will be a SeaBird SBE39 measuring temperature and pressure (depth). The float is moored at the entrance to Little Pioneer Bay, just deep of the reef front and will be used to measure the water entering the bay with particular interest in warm water pushing up into the bay. The data will support work being done in the bay by James Cook University researchers. + + + + + + + + + + + + Pulse Mooring + + 2017-06-26T23:19:01Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T05:42:52Z + PULSE + + The Pulse mooring is operated by CSIRO, and measures biogeochemical properties of the Southern Ocean. It was first deployed in October 2008. This mooring was decommissioned in April 2016. + + nominal latitude:-46.312,nominal longitude: 140.673,nominal depth:515m. This general concept replaces previous deployment specific concepts (Pulse 5 'light', Pulse 5 'heavy', Pulse 6, Pulse 7, Pulse 8, Pulse 9 and Pulse 10) previously created. + + + + 2009-09-28/2016-04-03 + + + + + + Orpheus Island Sensor Float 2 + + 2013-06-13T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T05:48:14Z + OISF2 + + A round 1.4m yellow buoy has been deployed in Little Pioneer Bay, Orpheus Island, just off the research station in the central part of the Great Barrier Reef. The buoy is configured as a sensor-float with a Campbell Scientific logger, a spread-spectrum radio for communicating with the base station (located near the Research Station) a surface mounted (60cm under the water surface) thermistor and an inductive modem to support a range of inductive sensors, initialy this will be a SeaBird SBE39 measuring temperature and pressure (depth). The float is moored at the entrance to Little Pioneer Bay, just deep of the reef front and will be used to measure the water entering the bay with particular interest in warm water pushing up into the bay. The data will support work being done in the bay by James Cook University researchers. + + + + + + + + + + + + Rib Reef Sensor Float 1 + + 2013-06-13T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-04-05T06:37:02Z + RIBSF1 + + The infrastructure consists of a single 1300 mm buoy located off the north (front) of the reef. The buoy has an Inductive Modem (IM) line that extends from the buoy to the bottom and then along the bottom for around 50 m and then rises to flotation located 9 m below the surface. Instruments are located on this riser to give a profile through the water column. The station is designed to measure temperature of the water column at the front of the reef and in particular to detect upwelling and other events where warmer bottom water is pushed across the shelf onto the reefs. This not only indicates processes operating across the shelf but also conditions when coral bleaching may be more common. The buoy was decommissioned in July 2017. + + 2011-12-14/2017-07-19 + + + + + + Myrmidon Reef Base Station + + 2013-06-14T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T05:46:56Z + Myrmidon_Reef + + The infrastructure consists of a base station mounted on the existing reef communications tower and a single buoy which carries the actual sensors. + + + + + + + + Myrmidon Reef Sensor Float 1 + + 2013-06-14T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T05:46:56Z + MYRSF1 + + In February 2011 Cyclone 'Yasi' damaged the existing AIMS weather station and so this buoy was deployed with both AIMS weather station sensors and sensors for the IMOS funded GBROOS project. In December 2011, a replacement buoy was deployed with the above water sensors being the existing AIMS weather station units and the in-water sensors being provided under the IMOS funded GBROOS project. This resulted in a data gap between the cyclone in February 2011 and the buoy being deployed in December 2011. It is antcipated that the AIMS weather station will be restored in late 2012 in which case the above water sensors will transition back to the AIMS tower with the in-water sensors remaining as part of the IMOS funded work. This buoy was decommissioned in 2015. + + + 2011-05-03/2015-09-08 + + + + + + Davies Reef Base Station + + 2013-06-14T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T05:36:20Z + Davies_Reef + + The infrastructure consists of a base station mounted on the existing reef communications tower, using the Telstra nextG service, and 5 buoys which carry the actual sensors. The Davies Reef Base Station performs two functions. The first is to act as a collection point for the sensor network platforms deployed within the reef and to in turn send the data back to the AIMS Data Centre. The second is as a platform for sensors with current sensors including two underwater PAR sensors and a still camera. The base station is co-located with the AIMS Automatic Weather Station (vaisala WXT520) on the Davies Reef Tower in order to optimise the use of power and communications infrastructure. + + + + + + + + + + + + Davies Reef Sensor Float 1 + + 2013-06-14T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-17T02:29:00Z + DAVSF1 + + A round 1.4m yellow buoy has been deployed in the Davies Reef lagoon as part of the sensor network infrastructure at Davies Reef in the central Great Barrier Reef off Townsville, Australia. The buoy is configured as a sensor-float with a Campbell Scientific logger, a spread-spectrum radio for communicating with the on-reef wireless network, a SeaBird Inductive modem and initially a surface mounted (30cm under the water surface) thermistor and bottom mounted SeaBird SBE39 (temperature and pressure). This buoy was decommissioned in March 2018. + + + + + + + 2009-12-09/2017-07-28 + + + + + + Davies Reef Sensor Float 2 + + 2013-06-14T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T05:35:01Z + DAVSF2 + + A round 1.4m yellow buoy has been deployed in the Davies Reef lagoon as part of the sensor network infrastructure at Davies Reef in the central Great Barrier Reef off Townsville, Australia. The buoy is configured as a sensor-float with a Campbell Scientific logger, a spread-spectrum radio for communicating with the on-reef wireless network, a SeaBird Inductive modem and initially a surface mounted (30cm under the water surface) thermistor and bottom mounted SeaBird SBE39 (temperature and pressure). The buoy was decommissioned in 2011. + + + + + + + 2009-12-09/2011-12-31 + + + + + + Davies Reef Sensor Float 3 + + 2013-06-14T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T05:35:44Z + DAVSF3 + + A round 1.4m yellow buoy has been deployed in the Davies Reef lagoon as part of the sensor network infrastructure at Davies Reef in the central Great Barrier Reef off Townsville, Australia. The buoy is configured as a sensor-float with a Campbell Scientific logger, a spread-spectrum radio for communicating with the on-reef wireless network, a SeaBird Inductive modem and initially a surface mounted (30cm under the water surface) thermistor and bottom mounted SeaBird SBE39 (temperature and pressure). The buoy was decommissioned in 2014. + + + + + + + 2009-12-07/2014-10-06 + + + + + + Davies Reef Sensor Float 4 + + 2013-06-14T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-17T02:30:13Z + DAVSF4 + + A round 1.4m yellow buoy has been deployed in the Davies Reef lagoon as part of the sensor network infrastructure at Davies Reef in the central Great Barrier Reef off Townsville, Australia. The buoy is configured as a sensor-float with a Campbell Scientific logger, a spread-spectrum radio for communicating with the on-reef wireless network, a SeaBird Inductive modem and initially a surface mounted (30cm under the water surface) thermistor and bottom mounted SeaBird SBE37 (conductivity, temperature and pressure). This buoy was decommissioned in March 2018. + + + + + + + 2009-12-09/2016-01-06 + + + + + + Davies Reef Sensor Float 5 + + 2013-06-14T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-17T02:31:32Z + DAVSF5 + + A round 1.4m yellow buoy has been deployed in the Davies Reef lagoon as part of the sensor network infrastructure at Davies Reef in the central Great Barrier Reef off Townsville, Australia. The buoy is configured as a sensor-float with a Campbell Scientific logger, a spread-spectrum radio for communicating with the on-reef wireless network, a SeaBird Inductive modem and initially a surface mounted (30cm under the water surface) thermistor and bottom mounted SeaBird SBE37 (conductivity, temperature and pressure). This buoy was decommissioned in March 2018. + + + + + + + 2009-12-09/2016-06-17 + + + + + + East Australian Current 500m Mooring + + 2017-06-26T23:52:58Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T06:15:02Z + EAC0500 + + The East Australian Current 500m Mooring is operated by CSIRO Oceans and Atmosphere, and collects data in the East Australian Current. This mooring forms part of the second deployment of the EAC array, and was reconfigured to incorporate parts of the continental shelf. + + nominal latitude:-27.3291,nominal longitude:153.8989,nominal depth:500m + + + + + + + + + + One Tree Island Base Station + + 2013-06-14T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T06:32:08Z + One_Tree_Island + + The infrastructure consists of a base station mounted on the existing water tower, using the Telstra nextG service, and three sensor poles located in each of the major lagoon systems around the island. The base station collects data from the outlying sensor stations (RP1-RP3) within the lagoon of One Tree Island as well as having a LiCor 192 PAR sensor. The base station consists of a Campbell Scientific CR1000 logger that talks back to the mainland via a 5m mast located on the top of the tower and a Cybertec nextG modem, and to the rest of the equipment in the lagoon via a 900 MHz spread-spectrum Campbell RF411 radio. The station is powered off the research station power supply but has its own solar panel and battery supply in case of power outages. + + + + + + + + + + One Tree Island Relay Pole 1 + + 2013-06-14T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T06:31:39Z + OTIRP1 + + A 6m steel pole has been installed within Central Bommie within the main lagoon of One Tree Island as part of the sensor network infrastructure at One Tree Island in the southern Great Barrier Reef off Gladstone, Australia. The sensor-relay pole provides a platform for the installation of sensors to measure and monitor water conditions within the lagoon of One Tree Island. The pole has real time communications using 900MHz spread spectrum radio back to a base station on One Tree Island. The pole is initially configured with a single thermistor string with six thermistors that is located down the outer wall of the bommie into the main lagoon and so provides a temperature profile of the main lagoon of One Tree Island. The data is collected every 10 minutes and relayed via the base station to the Data Centre at the Australian Institute of Marine Science (AIMS). The system uses a Campbell Scientific logger into which the sensors are connected. The equipment is serviced every six months with plans to install additional instruments such as pressure and salinity. The pole is available for mounting of additional third part instruments and so forms an infrastructure to support future observational work at the Island. + + + + + + + + + + One Tree Island Relay Pole 2 + + 2013-06-14T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T06:31:58Z + OTIRP2 + + A 6m steel pole has been installed within a small bommie within Second Lagoon of One Tree Island as part of the sensor network infrastructure at One Tree Island in the southern Great Barrier Reef off Gladstone, Australia. The sensor-relay pole provides a platform for the installation of sensors to measure and monitor water conditions within the lagoon of One Tree Island. The pole has real time communications using 900MHz spread spectrum radio back to a base station on One Tree Island. The pole is initially configured with a single thermistor string with six thermistors that is located down the outer wall of the bommie into the second lagoon and so provides a temperature profile of the second lagoon of One Tree Island. The data is collected every 10 minutes and relayed via the base station to the Data Centre at the Australian Institute of Marine Science (AIMS). The system uses a Campbell Scientific logger into which the sensors are connected. The equipment is serviced every six months with plans to install additional instruments such as pressure and salinity. The pole is available for mounting of additional third part instruments and so forms an infrastructure to support future observational work at the Island.The pole was decommissioned in September 2017. + + + + + 2008-11-19/2017-09-16 + + + + + + One Tree Island Relay Pole 3 + + 2013-06-14T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T06:32:08Z + OTIRP3 + + A 6m steel pole has been installed within a small bommie in Third Lagoon on One Tree Island as part of the sensor network infrastructure at One Tree Island in the southern Great Barrier Reef off Gladstone, Australia. The sensor-relay pole provides a platform for the installation of sensors to measure and monitor water conditions within the lagoon of One Tree Island. The pole has real time communications using 900MHz spread spectrum radio back to a base station on One Tree Island. The pole is initially configured with a single thermistor string with six thermistors that is located down the outer wall of the bommie into the lagoon and so provides a temperature profile of the third lagoon of One Tree Island. The data is collected every 10 minutes and relayed via the base station to the Data Centre at the Australian Institute of Marine Science (AIMS). The system uses a Campbell Scientific logger into which the sensors are connected. The equipment is serviced every six months with plans to install additional instruments such as pressure and salinity. The pole is available for mounting of additional third part instruments and so forms an infrastructure to support future observational work at the Island. A Vaisala WXT520 integrated weather station has been installed on RP3. The weather station provides measurement of air temperature (Deg. C.), humidity as relative percent, barometric pressure (milliBars or hPa), rainfall amount, intensity and duration, hail amount, intensity and duration (not common on coral reefs!) and wind speed and direction. The wind speed and direction and processed into scalar and vector (directional) based readings and presented as 10 and 30 minute averages to give mean values and maximum values. From these you can get the average wind conditions at either 10 minute or 30 minute periods as well as the gust or maximum wind conditions. The weather station is connected via an SDI-12 interface to a Campbell Scientific CR1000 logger which uses a RF411 radio to transmit the data, every 10 minutes, to the base station on One Tree Island and then a Telstra nextG link is used to send the data back to AIMS. The pole was decommissioned in September 2017. + + + + + 2008-11-19/2017-09-17 + + + + + + Heron Island Base Station + + 2013-06-14T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T06:30:08Z + Heron_Island + + The infrastructure consists of a base station mounted on the existing telecommunications tower, eight sensor poles that create the on-reef network and five sensor floats on which the sensors are attached. One of the poles (RP5) also has a weather station mounted on it. + + + + + + + + + + + + + + + + + + + + Heron Island Relay Pole 1 + + 2013-06-14T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T06:25:04Z + HIRP1 + + A 6m steel pole. The pole is solar powered and routes data from the Sensor Floats and other Sensor Relay Poles back to the Base Station located on Heron Island. The system uses the Campbell Scientific CR1000 loggers and RF411 Spread-Spectrum radios to process and route the data. The poles also can support a range of sensors, this pole also has a simple bottom mounted thermistor using the MEA thermistors. The unit will be serviced every six months and will be used in the future for attaching new sets of sensors. + + + + + + + + + + + + + + + + + + + + Heron Island Relay Pole 2 + + 2013-06-14T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T06:26:58Z + HIRP2 + + A 6m steel pole. The pole is solar powered and routes data from the Sensor Floats and other Sensor Relay Poles back to the Base Station located on Heron Island. The system uses the Campbell Scientific CR1000 loggers and RF411 Spread-Spectrum radios to process and route the data. The poles also can support a range of sensors, this pole also has a simple bottom mounted thermistor using the MEA thermistors. The unit will be serviced every six months and will be used in the future for attaching new sets of sensors. + + + + + + + + + + + + + + + + + + + + Heron Island Relay Pole 3 + + 2013-06-14T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T06:27:52Z + HIRP3 + + A 6m steel pole. The pole is solar powered and routes data from the Sensor Floats and other Sensor Relay Poles back to the Base Station located on Heron Island. The system uses the Campbell Scientific CR1000 loggers and RF411 Spread-Spectrum radios to process and route the data. The poles also can support a range of sensors, this pole also has a simple bottom mounted thermistor using the MEA thermistors. The unit will be serviced every six months and will be used in the future for attaching new sets of sensors. + + + + + + + + + + + + + + + + + + + + Heron Island Relay Pole 4 + + 2013-06-14T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T06:28:35Z + HIRP4 + + A 6m steel pole. The pole is solar powered and routes data from the Sensor Floats and other Sensor Relay Poles back to the Base Station located on Heron Island. The system uses the Campbell Scientific CR1000 loggers and RF411 Spread-Spectrum radios to process and route the data. The poles also can support a range of sensors, this pole also has a simple bottom mounted thermistor using the MEA thermistors. The unit will be serviced every six months and will be used in the future for attaching new sets of sensors. + + + + + + + + + + + + + + + + + + + + Heron Island Relay Pole 5 + + 2013-06-14T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T06:29:12Z + HIRP5 + + A 6m steel pole. The pole is solar powered and routes data from the Sensor Floats and other Sensor Relay Poles back to the Base Station located on Heron Island. The system uses the Campbell Scientific CR1000 loggers and RF411 Spread-Spectrum radios to process and route the data. The poles also can support a range of sensors, this pole also has a simple bottom mounted thermistor using the MEA thermistors as well as a Vaisala WXT520 weather station. The unit will be serviced every six months and will be used in the future for attaching new sets of sensors. The weather station provides measurement of air temperature (Deg. C.), humidity as relative percent, barometric pressure (milliBars or hPa), rainfall amount, intensity and duration, hail amount, intensity and duration (not common on coral reefs!) and wind speed and direction. The wind speed and direction and processed into scalar and vector (directional) based readings and presented as 10 and 30 minute averages to give mean values and maximum values. From these you can get the average wind conditions at either 10 minute or 30 minute periods as well as the gust or maximum wind conditions. The weather station is connected via an SDI-12 interface to a Campbell Scientific CR1000 logger which uses a RF411 radio to transmit the data, every 10 minutes, to the base station on Heron Island and then a Telstra nextG link is used to send the data back to AIMS. + + + + + + + + + + + + + + + + + + + + East Australian Current 2000m Mooring + + 2017-06-26T23:55:17Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T06:13:38Z + EAC2000 + + The East Australian Current 2000m Mooring is operated by CSIRO Oceans and Atmosphere, and collects data in the East Australian Current. This mooring forms part of the second deployment of the EAC array, and was reconfigured to incorporate parts of the continental shelf. + + nominal latitude:-27.3175,nominal longitude:154.0017,nominal depth:2000m + + + + + + + + + + + Heron Island Relay Pole 6 + + 2013-06-14T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T06:29:41Z + HIRP6 + + A 6m steel pole. The pole is solar powered and routes data from the Sensor Floats and other Sensor Relay Poles back to the Base Station located on Heron Island. The system uses the Campbell Scientific CR1000 loggers and RF411 Spread-Spectrum radios to process and route the data. The poles also can support a range of sensors, this pole also has a simple bottom mounted thermistor using the MEA thermistors. The unit will be serviced every six months and will be used in the future for attaching new sets of sensors. + + + + + + + + + + + + + + + + + + + + Heron Island Relay Pole 7 + + 2013-06-14T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T06:30:00Z + HIRP7 + + A 6m steel pole. This pole was to be installed in April 2013, in the Wistari Channel. + + + + + + + + + + + + + + + + + + + + Heron Island Relay Pole 8 + + 2013-06-14T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T06:30:08Z + HIRP8 + + A 6m steel pole. The pole is solar powered and routes data from the Sensor Floats and other Sensor Relay Poles back to the Base Station located on Heron Island. The system uses the Campbell Scientific CR1000 loggers and RF411 Spread-Spectrum radios to process and route the data. The poles also can support a range of sensors. The unit will be serviced every six months and will be used in the future for attaching new sets of sensors. + + + + + + + + + + + + + + + + + + + + Heron Island Sensor Float 1 + + 2013-06-14T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T05:37:59Z + HISF1 + + A round 1.4m yellow buoy has been deployed in the Heron Island lagoon as part of the sensor network infrastructure at Heron Island in the southern Great Barrier Reef off Gladstone, Australia. The buoy is configured as a sensor-float with a Campbell Scientific logger, a spread-spectrum radio for communicating with the on-reef wireless network, a GPS and initially a surface mounted (30cm under the water surface) thermistor. The float is moored in the lagoon of Heron Island in around 3m of water and will be used to monitor the flow of water through the lagoon. It will be fitted with surface salinity and bottom depth and temperature in late 2008. The unit will be serviced every six months and will be used in the future for attaching new sets of sensors. The buoy is re-locatable and the GPS data should be used to find the current location. + + + + + + + + + + + + + + + + + + + + Heron Island Sensor Float 2 + + 2013-06-14T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T05:40:13Z + HISF2 + + A round 1.4m yellow buoy has been deployed in the Heron Island lagoon as part of the sensor network infrastructure at Heron Island in the southern Great Barrier Reef off Gladstone, Australia. The buoy is configured as a sensor-float with a Campbell Scientific logger, a spread-spectrum radio for communicating with the on-reef wireless network, a GPS and initially a surface mounted (30cm under the water surface) thermistor. The float is moored in the lagoon of Heron Island in around 3m of water and will be used to monitor the flow of water through the lagoon. It will be fitted with surface salinity and bottom depth and temperature in late 2008. The unit will be serviced every six months and will be used in the future for attaching new sets of sensors. The buoy is re-locatable and the GPS data should be used to find the current location. This buoy was decommissioned in 2016. + + + + + + + + + + + + + + + 2008-12-23/2016-03-13 + + + + + + Heron Island Sensor Float 3 + + 2013-06-14T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T05:41:34Z + HISF3 + + A round 1.4m yellow buoy has been deployed in the Heron Island lagoon as part of the sensor network infrastructure at Heron Island in the southern Great Barrier Reef off Gladstone, Australia. The buoy is configured as a sensor-float with a Campbell Scientific logger, a spread-spectrum radio for communicating with the on-reef wireless network, a GPS and initially a surface mounted (30cm under the water surface) thermistor. The float is moored in the lagoon of Heron Island in around 3m of water and will be used to monitor the flow of water through the lagoon. It will be fitted with surface salinity and bottom depth and temperature in late 2008. The unit will be serviced every six months and will be used in the future for attaching new sets of sensors. The buoy is re-locatable and the GPS data should be used to find the current location. This buoy was decommissioned in 2017. + + + + + + + + + + + + + + + 2008-12-22/2016-04-11 + + + + + + Heron Island Sensor Float 4 + + 2013-06-14T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T05:42:51Z + HISF4 + + A round 1.4m yellow buoy has been deployed in the Heron Island lagoon as part of the sensor network infrastructure at Heron Island in the southern Great Barrier Reef off Gladstone, Australia. The buoy is configured as a sensor-float with a Campbell Scientific logger, a spread-spectrum radio for communicating with the on-reef wireless network, a GPS and initially a surface mounted (30cm under the water surface) thermistor. The float is moored in the lagoon of Heron Island in around 3m of water and will be used to monitor the flow of water through the lagoon. It will be fitted with surface salinity and bottom depth and temperature in late 2008. The unit will be serviced every six months and will be used in the future for attaching new sets of sensors. The buoy is re-locatable and the GPS data should be used to find the current location. This buoy was decommissioned in 2015. + + + + + + + + + + + + + + + 2008-12-22/2013-12-19 + + + + + + Heron Island Sensor Float 5 + + 2013-06-14T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T05:43:55Z + HISF5 + + A round 1.4m yellow buoy has been deployed in the Heron Island lagoon as part of the sensor network infrastructure at Heron Island in the southern Great Barrier Reef off Gladstone, Australia. The buoy is configured as a sensor-float with a Campbell Scientific logger, a spread-spectrum radio for communicating with the on-reef wireless network, a GPS and initially a surface mounted (30cm under the water surface) thermistor. The float is moored in the lagoon of Heron Island in around 3m of water and will be used to monitor the flow of water through the lagoon. It will be fitted with surface salinity and bottom depth and temperature in late 2008. The unit will be serviced every six months and will be used in the future for attaching new sets of sensors. The buoy is re-locatable and the GPS data should be used to find the current location. This buoy was decommissioned in 2017. + + + + + + + + + + + + + + + 2008-12-22/2016-09-19 + + + + + + East Australian Current 3200m Mooring + + 2017-06-26T23:56:26Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T06:14:17Z + EAC3200 + + The East Australian Current 3200m Mooring is operated by CSIRO Oceans and Atmosphere, and collects data in the East Australian Current. This mooring forms part of the second deployment of the EAC array, and was reconfigured to incorporate parts of the continental shelf. + + nominal latitude:-27.2839,nominal longitude:154.1367,nominal depth:3200m + + + + + + + + + + + East Australian Current 4200m Mooring + + 2017-06-26T23:57:20Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T06:14:44Z + EAC4200 + + The East Australian Current 4200m Mooring is operated by CSIRO Oceans and Atmosphere, and collects data in the East Australian Current. This mooring forms part of the second deployment of the EAC array, and was reconfigured to incorporate parts of the continental shelf. + + nominal latitude:-27.2391,nominal longitude:154.291,nominal depth:4200m + + + + + + + + + + + East Australian Current 4700m Mooring + + 2017-06-26T23:58:28Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T06:15:02Z + EAC4700 + + The East Australian Current 4700m Mooring is operated by CSIRO Oceans and Atmosphere, and collects data in the East Australian Current. This mooring forms part of the second deployment of the EAC array, and was reconfigured to incorporate parts of the continental shelf. + + nominal latitude:-27.2086,nominal longitude:154.645,nominal depth:4700m + + + + + + + + + + + East Australian Current 4800m Mooring + + 2017-06-26T23:59:33Z + + 2018-09-13T06:14:55Z + EAC4800 + + The East Australian Current 4800m Mooring is operated by CSIRO Oceans and Atmosphere, and collects data in the East Australian Current. This mooring forms part of the second deployment of the EAC array, and was reconfigured to incorporate parts of the continental shelf. + + nominal latitude:-27.1083,nominal longitude:155.2883,nominal depth:4800m + + + + + + + + + + Kaharoa + + 2015-07-07T03:31:18Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-13T03:52:33Z + ZM7552 + + Research vessel owned by NIWA, currently flying the flag of New Zealand (July 2015). + IMO:8000898 + + built:1981 + + + + + + + Tropical Islander + + 2013-07-24T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:58:41Z + 3FLZ + + General Cargo ship vessel, which is currently flying the flag of Panama (July 2013). + IMO:9385219 + + built:2009 + + + + + + + CMA CGM Onyx + + 2013-07-24T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:17:17Z + 9VBM5 + + Container ship vessel, which is currently flying the flag of Singapore (July 2013). + IMO:9334143 + + built:2007 + + + + + + + Cap Reinga + + 2013-07-24T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:25:30Z + A8FA6 + + Container ship vessel. It was called the Cap Reinga from August 2007 until September 2010. It is now called the Jupiter (Liberia, November 2012). + IMO:9226504 + + built:2001 + + + + + + + + CSCL Longkou + + 2013-07-24T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:41Z + A8FA6 + + Container ship vessel. It was called the CSCL Longkou from May 2001 until Augus 2007. It is now called the Jupiter (Liberia, November 2012). + IMO:9226504 + + built:2001 + + + + + + + CMA CGM Lavender + + 2013-07-24T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:16:25Z + A8IG2 + + Container ship vessel, which is currently flying the flag of Liberia (July 2013). + IMO:9314973 + + built:2006 + + + + + + + ANL Benalla + + 2013-07-24T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T04:07:23Z + A8JM5 + + Container ship vessel, which is currently flying the flag of Liberia (July 2013). + IMO:9334519 + + built:2006 + + + + + + + JPO Scorpius + + 2013-07-24T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:37:16Z + A8KC6 + + Container ship vessel, which is currently flying the flag of Liberia (July 2013). + IMO:9307279 + + built:2007 + + + + + + + Maersk Fuji + + 2013-07-24T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:40Z + C4BZ2 + + Container ship vessel. It was called the Maersk Fuji from July 2005 unitl June 2010. It is now called the Spyros (Marshall Islands, February 2012). + IMO:9308584 + + built:2005 + + + + + + Merkur Sky + + 2013-07-24T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:44:59Z + DDPH + + Container ship vessel. It was called the Merkur Sky from 1997 to April 1998, December 1998 to 1999, May 2001 to March 2002, November 2002 to June 2003, August 2005 to July 2007 and April 2011 to September 2012. It is now called the M Sky (Saint Kitts & Nevis, June 2012). It was disposed of in approximately 2012. + IMO:9158977 + + built:1997 + + + + + + + Icebird + + 2013-07-24T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:34:43Z + DPIB + + Cargo ship vessel. It was called the Icebird from 1984 until December 1994. It is now called the Almog (Honduras, November 2012). + IMO:8403533 + + built:1984 + + + + + + + Hoegh Seoul + + 2013-07-24T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2019-03-27T21:49:32Z + LADO6 + + Vehicles carrier vessel, which is currently flying the flag of Norway (July, 2013). + IMO:9285495 + + built:2004 + + + + + + + Hoegh St. Petersburg + + 2013-07-24T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:34:23Z + LAII7 + + Vehicles carrier vessel, which is currently flying the flag of Norway (July, 2013). + IMO:9420045 + + built:2009 + + + + + + + Conti Harmony + + 2013-07-24T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:26:52Z + P3JM9 + + Container ship vessel, which is currently flying the flag of Cyprus (July 2013). It was disposed of in approximately 2014. + IMO:9137894 + + built:1997 + + + + + + + Schelde Trader + + 2013-07-24T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:54:19Z + PBKZ + + Container ship vessel, which is currently flying the flag of Netherlands (July 2013). + IMO:9264752 + + built:2003 + + + + + + + Maersk Fukuoka + + 2013-07-24T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:41:00Z + V2BM5 + + Container ship vessel. It was called the Maersk Fukuoka from 2005 until December 2010. It is now called the Georgia (Marshall Islands, September 2011). + IMO:9308601 + + built:2005 + + + + + + + + Isar Trader + + 2013-07-24T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:40Z + V2BM5 + + Container ship vessel. It was called the Isar Trader from December 2010 until August 2012. It is now called the Georgia (Marshall Islands, September 2011). + IMO:9308601 + + built:2005 + + + + + + + Sofrana Surville + + 2013-07-24T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:55:27Z + V2CN5 + + Container ship vessel, which is currently flying the flag of Antigua and Barbuda (July 2013). + IMO:9295529 + + built:2007 + + + + + + + BC San Francisco + + 2013-07-24T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T04:37:47Z + V2QD4 + + Container ship vessel, which is currently flying the flag of Antigua and Barbuda (June 2013). + IMO:9346562 + + built:2006 + + + + + + + CMA CGM Jade + + 2013-07-24T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:33Z + V7NX2 + + Container ship vessel, which is currently flying the flag of Marshall Islands (July 2013). + IMO:9324875 + + built:2007 + + + + + + Santos Express + + 2013-07-24T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:53:55Z + VRCF6 + + Container ship vessel, which is currently flying the flag of Hong Kong (July 2013). + IMO:9301835 + + built:2006 + + + + + + + Manila Express + + 2013-07-24T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:41:58Z + VRCX7 + + Container ship vessel, which is currently flying the flag of Hong Kong (July 2013). + IMO:9301859 + + built:2007 + + + + + + + Pacific Gas + + 2013-07-24T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:50:13Z + YJZC5 + + LPG Tanker vessel, which is currently flying the flag of Vanuatu (October 2012). + IMO:8915421 + + built:1991 + + + + + + + Mississauga Express + + 2013-07-24T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T05:45:18Z + ZCBP6 + + Container ship vessel, which is currently flying the flag of Bermuda (July 2013). + IMO:9165358 + + built:1998 + + + + + + + Kangaroo Island, SA Passive Acoustic Observatory + + 2016-11-09T01:47:35Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2018-09-17T04:53:47Z + PAKAI + + The Kangaroo Island, SA Passive Acoustic Observatory, is a series of moorings operated by SARDI (South Australian Research and Development Institute) which collect data west of Kangaroo Island. This observatory was decommissioned in November 2017. + + nominal latitude:-36.11365,nominal longitude:135.88253333,nominal depth:181m + + + + + + 2014-12-08/2017-11-28 + + + + + + Bass Strait Calibration site Mooring + + 2013-10-31T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-17T04:52:25Z + SRSBAS + + This calibration site mooring is located in Bass Strait. This is used for the calibration of the TOPEX/Poseidon (T/P) and Jason-1 satellite altimeters. This location lies on the descending (N -> S) pass 088 of the satellite altimeter, and thus shares similar satellite orbit characteristics to the Storm Bay mooring. The use of these two sites allows detailed investigation into the accuracy of the altimeter over two different wave climates. The average significant wave height at Storm Bay is approximately double that observed at the comparatively sheltered Bass Strait location. This mooring is operated by CSIRO. + + nominal latitude:-40.65,nominal longitude:145.594,nominal depth:52m + + + + + + + Storm Bay Calibration site Mooring + + 2013-10-31T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-17T04:52:25Z + SRSSTO + + This calibration site mooring is located in Storm Bay. This is used for the calibration of the TOPEX/Poseidon (T/P) and Jason-1 satellite altimeters. This location lies on the descending (N -> S) pass 088 of the satellite altimeter, and thus shares similar satellite orbit characteristics to the Bass Strait mooring. The use of these two sites allows detailed investigation into the accuracy of the altimeter over two different wave climates. The average significant wave height at Storm Bay is approximately double that observed at the comparatively sheltered Bass Strait location. This mooring is operated by CSIRO. This mooring was decommissioned in September 2016. + + nominal latitude:-43.3,nominal longitude:147.661,nominal depth:95m + + 2009-04-05/2016-09-16 + + + + + + Geelong Star + + 2017-01-04T01:52:07Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-02T23:33:31Z + VHKJ + + Fishing vessel, currently flying the Netherlands flag (January 2017) + IMO:8209171 + + built:1983 + + + + + + Heron Island North mooring + + 2013-04-10T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T06:35:48Z + GBRHIN + + The Heron Island North Mooring is operated by AIMS (Australian Institute of Marine Science) and collect data in Great Barrier Reef region. This mooring was decommissioned in March 2013. + + nominal latitude:-23.383335,nominal longitude:151.9833913,nominal depth:46m + + + + + + + + + 2007-09-12/2013-03-16 + + + + + + Maria Island National Reference Station ADCP mooring + + 2013-04-10T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T06:46:22Z + NRSMAI-ADCP + + ADCP mooring located at the Maria Island National Reference Station. This mooring is operated by CSIRO. + + nominal latitude:-42.5998,nominal longitude:148.2326,nominal depth:90m + + + + + + + + + + + + + + + + + + + Maria Island National Reference Station sub-surface mooring + + 2013-04-10T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-14T01:46:00Z + NRSMAI-SubSurface + + Sub-surface mooring located at the Maria Island National Reference Station. This mooring is operated by CSIRO. + + nominal latitude:-42.597,nominal longitude:148.233,nominal depth:90m + + + + + + + + + + + + + + Maria Island National Reference Station surface mooring + + 2013-04-10T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T06:49:50Z + NRSMAI-Surface + + Surface mooring located at the Maria Island National Reference Station. This mooring is operated by CSIRO. + + nominal latitude:-42.597,nominal longitude:148.233,nominal depth:90m + + + + + + + + + + + + + + + + + + + Maria Island National Reference Station Acidification Mooring + + 2013-04-10T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-13T06:43:44Z + NRSMAI-CO2 + + Acidification mooring located at the Maria Island National Reference Station. This mooring is operated by CSIRO. + + nominal latitude:-42.597,nominal longitude:148.233,nominal depth:90m + + + + + + + + + Empress Pearl + + 2017-01-04T01:55:41Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-02T23:33:13Z + VM7743 + + Trawler fishing vessel, currently flying the Australian flag (January, 2017) + IMO:8409214 + + built:1987 + + + + + + Cape Ferguson + + 2013-04-11T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T03:49:06Z + VNCF + + Research vessel owned by the Australian Institute of Marine Science (AIMS). Active as Mar 2013. + IMO:9240861 + + built:2000 + + + + + + + Solander + + 2013-04-11T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-04-13T04:00:32Z + VMQ9273 + + Research vessel owned by the Australian Institute of Marine Science (AIMS). Active as Mar 2013. + IMO:9423463 + + built:2007 + + + + + + + WERA beam forming HF radar + + 2014-06-19T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:45Z + + + + + + + + + + SeaSonde direction finding HF radar + + 2014-06-19T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-12-19T04:00:54Z + + + + + + + + + + Spirit of Tasmania 1 + + 2103-04-11T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2018-09-17T04:56:51Z + VLST + + Spirit of Tasmania 1 is owned by the TT-Line Company. It was built in 1998 by Kvaerner Masa-Yards in Finland as Superfast IV on the Patras-Ancona route. Since 2002, It is operating on the Melbourne (Victoria) - Devonport (Tasmania) route across Bass Strait + IMO: 9158446 + + built:1998 + + + + + + + + Sirius + + 2013-04-11T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:38Z + + The IMOS AUV facility owns and operates the ocean going AUV called Sirius. Managed by the University of Sydney's Australian Centre for Field Robotics (ACFR), this vehicle is a modified version of a mid-size robotic vehicle called Seabed built at the Woods Hole Oceanographic Institution + + + + + + + Antarctic Discovery + + 2017-01-04T01:57:47Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-02T23:32:14Z + VKAD + + Fishing vessel, currently flying the Australian flag (January 2017) + IMO:9123219 + + built:1995 + + + + + + small boat + + 2015-04-14T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:43Z + A small self-propelled platform operating on the surface of the water column in unpredictable locations that is smaller than a ship but too large to easily remove from the water. + + + + + + + + + NOAA-8 + + 2015-09-03T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2019-02-15T03:46:29Z + + This satellite was the 4th flight unit of the NOAA 4th generation programme, and 1st of the ATN series. It operated between March 1983 and December 1985 at an altitutde of 820km, in a sunsynchronous orbit. Instrumentation: Argos Data Collection System , Advanced Very High Resolution Radiometer, High-resolution Infra Red Sounder / 2, Microwave Sounding Unit, Search and Rescue Satellite-Aided Tracking System, Stratospheric Sounding Unit, SEM / Medium energy proton detector and SEM / Total Energy Detector. + National Oceanic and Atmospheric Administration + NOAA 4th Generation - Polar Operational Environmental Satellites (POES) - NOAA-8 + + + + + + + + + + + + + 1983-03-28/1985-12-29 + + + + + + NOAA-9 + + 2015-09-03T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2019-02-15T03:46:36Z + + This satellite was the 5th flight unit of the NOAA 4th generation programme, and 2nd of the ATN series. It operated between December 1984 and February 1998 at an altitutde of 850km, in a sunsynchronous orbit. Instrumentation: Argos Data Collection System, Advanced Very High Resolution Radiometer / 2, Earth Radiation Budget Experiment, High-resolution Infra Red Sounder / 2, Microwave Sounding Unit, Search and Rescue Satellite-Aided Tracking System, Solar Backscatter Ultraviolet / 2, Stratospheric Sounding Unit, SEM / Medium energy proton detector and SEM / Total Energy Detector + National Oceanic and Atmospheric Administration + NOAA 4th Generation - Polar Operational Environmental Satellites (POES) - NOAA-9 + + + + + + + + + + + + + 1984-12-12/1998-02-13 + + + + + + NOAA-10 + + 2015-09-03T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2019-02-15T03:45:25Z + + This satellite was the 6th flight unit of the NOAA 4th generation programme, and 3rd of the ATN series. It operated between September 1986 and August 2001 at an altitutde of 810km, in a sunsynchronous orbit. Instrumentation: Argos Data Collection System, Advanced Very High Resolution Radiometer, Earth Radiation Budget Experiment, High-resolution Infra Red Sounder / 2, Microwave Sounding Unit, Search and Rescue Satellite-Aided Tracking System, Solar Backscatter Ultraviolet / 2, Stratospheric Sounding Unit, SEM / Medium energy proton detector and SEM / Total Energy Detector + National Oceanic and Atmospheric Administration + NOAA 4th Generation - Polar Operational Environmental Satellites (POES) - NOAA-10 + + + + + + + + + + + + + 1986-09-17/2001-08-30 + + + + + + NOAA-11 + + 2015-09-03T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2019-02-15T03:45:33Z + + This satellite was the 7th flight unit of the NOAA 4th generation programme, and 4th of the ATN series. It operated between September 1988 and June 2004 at an altitutde of 843km, in a sunsynchronous orbit. Instrumentation: Argos Data Collection System, Advanced Very High Resolution Radiometer / 2, High-resolution Infra Red Sounder / 2, Microwave Sounding Unit, Search and Rescue Satellite-Aided Tracking System, Solar Backscatter Ultraviolet / 2, Stratospheric Sounding Unit, SEM / Medium energy proton detector and SEM / Total Energy Detector + National Oceanic and Atmospheric Administration + NOAA 4th Generation - Polar Operational Environmental Satellites (POES) - NOAA-11 + + + + + + + + + + + + + 1988-09-24/2004-06-16 + + + + + + NOAA-12 + + 2015-09-03T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2019-02-15T03:45:40Z + + This satellite was the 8th flight unit of the NOAA 4th generation programme, and 5th of the ATN series. It operated between May 1991 and August 2007 at an altitutde of 804km, in a sunsynchronous orbit. Instrumentation: Argos Data Collection System, Advanced Very High Resolution Radiometer / 2, High-resolution Infra Red Sounder / 2, Microwave Sounding Unit, Stratospheric Sounding Unit, SEM / Medium energy proton detector and SEM / Total Energy Detector + National Oceanic and Atmospheric Administration + NOAA 4th Generation - Polar Operational Environmental Satellites (POES) - NOAA-12 + + + + + + + + + + + + + 1991-05-14/2007-08-10 + + + + + + NOAA-13 + + 2015-09-03T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2019-02-15T03:45:46Z + + This satellite was the 9th flight unit of the NOAA 4th generation programme, and 6th of the ATN series. It operated between 09 August 1993 and 21 August 1993 at an altitutde of 820km, in a sunsynchronous orbit. Instrumentation: Argos Data Collection System, Advanced Very High Resolution Radiometer / 2, High-resolution Infra Red Sounder / 2, Microwave Sounding Unit, Search and Rescue Satellite-Aided Tracking System, Solar Backscatter Ultraviolet / 2, Stratospheric Sounding Unit, SEM / Medium energy proton detector and SEM / Total Energy Detector + National Oceanic and Atmospheric Administration + NOAA 4th Generation - Polar Operational Environmental Satellites (POES) - NOAA-13 + + + + + + + + + + + + + 1993-08-09/1993-08-21 + + + + + + NOAA-14 + + 2015-09-03T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2019-02-15T03:45:53Z + + This satellite was the 10th (last) flight unit of the NOAA 4th generation programme, and 7th of the ATN series. It operated between December 1994 and May 2007 at an altitutde of 844km, in a sunsynchronous orbit. Instrumentation: Argos Data Collection System, Advanced Very High Resolution Radiometer / 2, High-resolution Infra Red Sounder / 2, Microwave Sounding Unit, Search and Rescue Satellite-Aided Tracking System, Solar Backscatter Ultraviolet / 2, Stratospheric Sounding Unit, SEM / Medium energy proton detector and SEM / Total Energy Detector + National Oceanic and Atmospheric Administration + NOAA 4th Generation - Polar Operational Environmental Satellites (POES) - NOAA-14 + + + + + + + + + + + + + 1994-12-30/2007-05-23 + + + + + + NOAA-15 + + 2015-09-03T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2019-02-15T03:45:59Z + + This satellite was the 1st flight of the NOAA 5th generation programme. It operated between May 1998 and 2018, at an altitude of 807km, in a sunsynchronous orbit. Instrumentation: Advanced Microwave Sounding Unit - A, Advanced Microwave Sounding Unit - B, Advanced Very High Resolution Radiometer / 3, High-resolution Infra Red Sounder / 3, Search and Rescue Satellite-Aided Tracking System, Data Collection System / 2 (also called Argos-2), SEM / Medium energy proton detector and SEM / Total Energy Detector + + + National Oceanic and Atmospheric Administration + NOAA 5th Generation - Polar Operational Environmental Satellites (POES) - NOAA-15 + + + + + + + + + + + + + + + + + + NOAA-16 + + 2015-09-03T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2019-02-15T03:46:05Z + + This satellite was the 2nd flight of the NOAA 5th generation programme. It operated between September 2000 and June 2014, at an altitude of 849km, in a sunsynchronous orbit. Instrumentation: Advanced Microwave Sounding Unit - A, Advanced Microwave Sounding Unit - B, Advanced Very High Resolution Radiometer / 3, High-resolution Infra Red Sounder / 3, Search and Rescue Satellite-Aided Tracking System, Solar Backscatter Ultraviolet / 2, Data Collection System / 2 (also called Argos-2), SEM / Medium energy proton detector and SEM / Total Energy Detector + National Oceanic and Atmospheric Administration + NOAA 5th Generation - Polar Operational Environmental Satellites (POES) - NOAA-16 + + + + + + + + + + + + + 2000-09-21/2014-06-09 + + + + + + NOAA-17 + + 2015-09-03T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2019-02-15T03:46:11Z + + This satellite was the 3rd flight of the NOAA 5th generation programme. It operated between June 2002 and April 2013, at an altitude of 810km, in a sunsynchronous orbit. Instrumentation: Advanced Microwave Sounding Unit - A, Advanced Microwave Sounding Unit - B, Advanced Very High Resolution Radiometer / 3, High-resolution Infra Red Sounder / 3, Search and Rescue Satellite-Aided Tracking System, Solar Backscatter Ultraviolet / 2, Data Collection System / 2 (also called Argos-2), SEM / Medium energy proton detector and SEM / Total Energy Detector + National Oceanic and Atmospheric Administration + NOAA 5th Generation - Polar Operational Environmental Satellites (POES) - NOAA-17 + + + + + + + + + + + + + 2002-06-24/2013-04-10 + + + + + + NOAA-18 + + 2015-08-07T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2019-02-15T03:46:17Z + + This satellite was the 4th flight of the NOAA 5th generation programme. It operated between May 2005 and 2018, at an altitude of 854km, in a sunsynchronous orbit. Instrumentation: Advanced Microwave Sounding Unit - A, Advanced Very High Resolution Radiometer / 3, High-resolution Infra Red Sounder / 4, Microwave Humidity Sounding, Search and Rescue Satellite-Aided Tracking System, Solar Backscatter Ultraviolet / 2, Data Collection System / 2 (also called Argos-2), SEM / Medium energy proton detector and SEM / Total Energy Detector + + + National Oceanic and Atmospheric Administration + NOAA 5th Generation - Polar Operational Environmental Satellites (POES) - NOAA-18 + + + + + + + + + + + + + + + + + + NOAA-19 + + 2015-08-07T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2019-02-15T03:46:23Z + + This satellite was the 5th (last) flight of the NOAA 5th generation programme. It operated between February 2009 and 2018, at an altitude of 870km, in a sunsynchronous orbit. Instrumentation: Advanced Data Collection System (also called Argos-3), Advanced Microwave Sounding Unit - A, Advanced Very High Resolution Radiometer / 3, High-resolution Infra Red Sounder / 4, Microwave Humidity Sounding, Search and Rescue Satellite-Aided Tracking System, Solar Backscatter Ultraviolet / 2, SEM / Medium energy proton detector and SEM / Total Energy Detector + + National Oceanic and Atmospheric Administration + NOAA 5th Generation - Polar Operational Environmental Satellites (POES) - NOAA-19 + + + + + + + + + + + + + + + + + + Aqua + + 2015-08-07T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2018-11-14T23:02:07Z + + This satellite was the 2nd flight of the NASA EOS programme. It operated between May 2002 and 2018, at an altitude of 705km, in a sunsynchronous orbit. Instrumentation: Atmospheric Infra-Red Sounder, Advanced Microwave Scanning Radiometer for EOS, Advanced Microwave Sounding Unit - A, Clouds and the Earth’s Radiant Energy System, Humidity Sounder for Brazil and Moderate-resolution Imaging Spectro-radiometer + + NASA - Earth Observation System (EOS) - Aqua + + + + + + + OrbView-2 + + 2015-09-04T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-02T23:54:52Z + + This satellite was the only flight of the OrbView-2/SeaStar (former name) programme. It operated between August 1997 and December 2010, at an altitude of 705km, in a sunsynchronous orbit. Instrumentation: Sea-viewing Wide Field-of-view Sensor (SeaWiFS). + GeoEye - OrbView-2 (former: SeaStar) + + 1997-08-01/2010-12-11 + + + + + + SAC-D + + 2015-09-04T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-02T23:55:09Z + + This satellite was the 4th flight of the Satélite de Aplicaciones Cientificas (SAC) Aquarius Mission programme. It operated between June 2011 and June 2015, at an altitude of 661km, in a sunsynchronous orbit. Instrumentation: Aquarius. + CONAE/NASA - Satélite de Aplicaciones Cientificas (SAC) Aquarius Mission - SAC-D + + 2011-06-10/2015-06-07 + + + + + + TOPEX-Poseidon + + 2015-09-04T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-02T23:55:25Z + + This satellite was the only flight of the TOPEX-Poseidon programme. It operated between August 1992 and October 2005, at an altitude of 1336km, in a drifting orbit. Instrumentation: Doppler Orbitography and Radiopositioning Integrated by Satellite, GPS Demonstration Receiver, Laser Retroreflector Array, Single-frequency Solid-state Altimeter, TOPEX Microwave Radiometer, NASA Radar Altimeter. + NASA/CNES - Topography Experiment - Positioning,Ocean,Solid Earth, Ice Dynamics, Orbital Navigator (TOPEX-Poseidon) + + 1992-08-10/2005-10-09 + + + + + + JASON-1 + + 2015-09-04T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2018-09-14T06:41:39Z + + This satellite was the 1st flight of the JASON series. It operated between December 2001 and July 2013, at an altitude of 1324km, in a drifting orbit. Instrumentation: Doppler Orbitography and Radiopositioning Integrated by Satellite, JASON Microwave Radiometer, Laser Retroreflector Array, Poseidon 2, Turbo Rogue Space Receiver. + NASA/CNES/EUMETSAT/NOAA - Joint Altimetry Satellite Oceanography Network (JASON) - JASON-1 + + + + 2001-22/2013-07 + + + + + + JASON-2 + + 2015-09-04T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2018-09-14T06:41:48Z + + This satellite was the 2nd flight of the JASON series, also called the Ocean Surface Topography Mission (OSTM). It operated between June 2008 and is operational until 2018, at an altitude of 1336km, in a drifting orbit. Instrumentation: Advanced Microwave Radiometer, Doppler Orbitography and Radiopositioning Integrated by Satellite, Laser Retroreflector Array, Poseidon 3, Turbo Rogue Space Receiver. + + NASA/CNES/EUMETSAT/NOAA - Joint Altimetry Satellite Oceanography Network (JASON) - JASON-2 + + + + + + + + + JASON-3 + + 2015-09-04T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2018-09-14T06:41:48Z + + This satellite will be the 3rd flight of the JASON series, also called the Ocean Surface Topography Mission (OSTM). It is planned to be operational between 2016 and 2021, at an altitude of 1336km, in a drifting orbit. Instrumentation: Advanced Microwave Radiometer, Doppler Orbitography and Radiopositioning Integrated by Satellite, Laser Retroreflector Array, Poseidon 3B, Turbo Rogue Space Receiver. + NASA/CNES/EUMETSAT/NOAA - Joint Altimetry Satellite Oceanography Network (JASON) - JASON-3 + + + + + + + + + GFO + + 2015-09-04T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-02T23:50:43Z + + This satellite was the 2nd (last) flight of the GEOSat programme. It operated between February 1998 and October 2008 at an altitude of 784km, in a drifting orbit. Instrumentation: GEOSat Follow-On Radar Altimeter, Laser Retroreflector Array, Turbo Rogue Space Receiver and Water Vapor Radiometer. + DoD/NASA - GEOSat Follow-on (GFO) + + 1998-02/2008-10 + + + + + + Maersk Jalan + + 2016-02-24T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-13T05:41:20Z + 9V3581 + + Cargo ship vessel, which is currently flying the flag of Singapore (February 2016). + IMO:9294161 + + built:2005 + + + + + + + Patricia Schulte + + 2016-02-24T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-13T05:51:41Z + 5BPB3 + + Container ship vessel, which is currently flying the flag of Cyprus (February 2016). + IMO:9294185 + + built:2006 + + + + + + + Siangtan + + 2016-02-24T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-13T05:55:07Z + 9V9832 + + Cargo ship vessel, which is currently flying the flag of Singapore (February 2016). + IMO:9614529 + + built:2013 + + + + + + + Ramform Sovereign + + 2016-03-30T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-03T00:01:56Z + 9VBN9 + + Research/survey vessel, currently flying the flag of Singapore (March 2016). + IMO:9390460 + + built:2008 + + + + + + Falkor + + 2016-03-30T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-13T03:49:51Z + ZCYL5 + + Research/survey vessel, operating for the Schmidt Ocean Institute, currently flying the flag of the Cayman Islands (March 2016). + IMO:7928677 + + built:1981 + + + + + + + Isla Eden + + 2016-03-30T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-02T23:33:59Z + VJN4147 + + Fishing vessel, currently flying the Australian flag (March 2016) + IMO:9111694 + + built:1994 + + + + + + Saxon Onward + + 2016-03-30T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-02T23:34:53Z + VJT5748 + + Fishing vessel, currently flying the Australian flag (March 2016) + IMO:5314987 + + built:1960 + + + + + + Wistari Channel acidification Mooring + + 2016-04-15T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2018-09-14T05:51:09Z + GBRWIS-CO2 + + Acidification mooring located adjacent to the Heron Island reef slope in the Wistari channel on the Great Barrier Reef. This mooring is operated by AIMS (Australian Institute of Marine Science). + + nominal latitude:-23.4586,nominal longitude:151.9267,nominal depth:10m + + + + + + + + + Yongala National Reference Station Acidification Mooring + + 2016-04-15T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2018-09-14T05:51:09Z + NRSYON-CO2 + + Acidification mooring co-located with the Yongala National Reference Station (NRSYON) in Queensland. This mooring is operated by AIMS (Australian Institute of Marine Science). This mooring was decommissioned in August 2014. + + nominal latitude:-19.3094,nominal longitude:147.6295,nominal depth:22m + + + + 2013-09-17/2014-08-30 + + + + + + Sniper + + 2017-01-05T05:38:26Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-02T23:35:07Z + VHN7652 + + Fishing vessel, currently flying the Australian flag (January 2017) + MMSI:503798800 + + + + + + + TOTTEN1 Mooring + + 2016-04-15T00:00:00Z + Australian Ocean Data Network Platform Register + Australian Ocean Data Network Platform Register + 2018-09-14T05:46:23Z + TOTTEN1 + + Mooring 1 in the 2014-2015 Dalton/Totten mooring array, which was operated by CSIRO, and collects data adjacent to the Totten Glacier. This mooring was decommissioned in January 2015. + + + nominal latitude:-66.5426,nominal longitude:119.2114,nominal depth:707m + + + 2014-02-04/2015-01-03 + + + + + + TOTTEN2 Mooring + + 2016-04-15T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2018-09-14T05:46:32Z + TOTTEN2 + + Mooring 2 in the 2014-2015 Dalton/Totten mooring array, which was operated by CSIRO, and collects data adjacent to the Totten Glacier. This mooring was decommissioned in January 2015. + + + nominal latitude:-66.2105,nominal longitude:120.6273,nominal depth:500m + + + 2014-02-04/2015-01-03 + + + + + + TOTTEN3 Mooring + + 2016-04-15T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2018-09-14T05:46:32Z + TOTTEN3 + + Mooring 3 in the 2014-2015 Dalton/Totten mooring array, which was operated by CSIRO, and collects data adjacent to the Totten Glacier. This mooring was decommissioned in January 2015. + + + nominal latitude:-66.5014,nominal longitude:120.4566,nominal depth:549m + + + 2014-02-04/2015-01-03 + + + + + + Two Rocks 44m Mooring + + 2016-04-15T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2018-09-14T05:50:24Z + WATR04 + + The Two Rocks 44m Shelf Mooring is operated by CSIRO and collects data in the Two Rocks region. + + nominal latitude:-31.7207,nominal longitude:115.4,nominal depth:44m + + + + + + + + + + + Kimberley, WA Passive Acoustic Observatory + + 2016-04-15T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2018-09-17T04:54:21Z + PAKIM + + The Kimberley, WA Passive Acoustic Observatory, is a series of moorings operated by Curtin University which collect data in the Kimberley region. This observatory was decommissioned in May 2015. + + nominal latitude:-15.483,nominal longitude:121.251,nominal depth:216m + + + + + + 2012-11-20/2015-05-08 + + + + + + Pilbara, WA Passive Acoustic Observatory + + 2016-04-15T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2018-09-17T04:56:04Z + PAKIL + + The Pilbara, WA Passive Acoustic Observatory, is a series of moorings operated by Curtin University which collect data in the Pilbara region. This mooring was decommissioned in June 2015. + + nominal latitude:-19.388,nominal longitude:115.915,nominal depth:216m + + + + + + 2012-11-20/2015-06-14 + + + + + + Capitaine Fearn + + 2016-05-03T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2018-09-07T06:51:30Z + 5WDC + + General Cargo ship vessel. It was called the Forum Samoa II from 2001 until June 2010. It was then shortly called the Opal Harmony, then Southern Moana, and is now known as Capitaine Fearn, and flies the flag of Samoa (July, 2015). + IMO:9210713 + + built:2001 + + + + + + + + + Shengking + + 2016-05-03T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-13T05:54:51Z + 9V9713 + + Container ship vessel, which is currently flying the flag of Singapore (February 2016) + IMO:9614505 + + built:2013 + + + + + + + Chenan + + 2016-05-03T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-13T05:26:26Z + VRUB2 + + General Cargo ship vessel. It was called the Chenan from December 1999 to February 2005, and again from January 2012, and is currently flying the flag of Hong Kong (Feb 2016) + IMO:9007374 + + built:1991 + + + + + + + FluxPulse Mooring + + 2016-05-11T00:00:00Z + British Oceanographic Data Centre (BODC) + (L06) SeaVoX Platform Categories + 2018-09-14T05:42:45Z + FluxPulse + + The FluxPulse mooring is operated by CSIRO, and measures biogeochemical properties of the Southern Ocean. It combines the instrumentation from previous separate deployments of the Pulse and SOFS mooring. It had one deployment in April 2016 and was replaced by a SOFS mooring. + + nominal latitude:-46.77725,nominal longitude: 141.99289,nominal depth:4658m + + + + 2016-03-01/2016-08-15 + + + + + + Southern Lily + + 2016-05-12T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-03T00:20:33Z + 9VEY2 + + Container ship vessel. It was called the Southern Lily in 2011, and is now known as the Southern Trader, which is currently flying the flag of Singapore (Jan, 2015) + IMO:9359674 + + built:2008 + + + + + + ANL Yarrunga + + 2016-05-12T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-03T00:08:25Z + V2BJ5 + + Container ship vessel, which was called the ANL Yarrunga until October 2009. It is now called the Karin Rambow, and is currently flying the flag of Antigua and Barbados (May, 2016) + IMO:9327566 + + built:2005 + + + + + + Shearwater + + 2016-07-08T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-13T05:54:33Z + 3ECT5 + + Bulk Carrier vessel, which flew the flag of Panama (September 2010). It was disposed of in ??. + IMO:8508709 + + built:1986 + + + + + + + Act 10 + + 2016-07-08T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-03T00:08:47Z + C6HL + + Container ship vessel, which was called the Act 10 from 1990 until 1991. It's final name was P and O Nedlloyd Luanda. It was disposed of in 2002. + IMO:7817115 + + built:1980 + + + + + + Southern Queen + + 2016-07-08T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-03T00:20:54Z + C6J55 + + General Cargo ship vessel. It was called the Southern Queen from Oct-Dec 2001. It is now called the Red Rock (Indonesia, October 2010). + IMO:9197026 + + built:2000 + + + + + + + Maersk Auckland + + 2016-07-08T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-03T00:15:25Z + A8ES9 + + Container ship vessel, which was known as the Maersk Auckland from February 2003 until July 2007. It was disposed of in 2013. + IMO:9236236 + + built:2003 + + + + + + E.R. Wilhelmshaven + + 2016-07-08T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-03T00:12:48Z + ELZY3 + + Container ship vessel, which is currently flying the flag of Liberia (May, 2013). + IMO:9246310 + + built:2002 + + + + + + Maersk Phuket + + 2016-07-08T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-13T05:41:39Z + 9V3819 + + Container ship vessel, which is currently flying the flag of Singapore (July, 2016). + IMO:9168219 + + built:1998 + + + + + + + Southland Star + + 2016-07-08T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-13T05:56:19Z + 3DTF + + Reefer vessel, which flew the flag of Britain. It was disposed of in 1993. + IMO:6707909 + + built:1967 + + + + + + + California Star + + 2016-07-08T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-13T05:24:15Z + C6JF2 + + Container ship vessel, which was known as the Caifornia Star from 1989 until 1996. It's final name was the Golden Gate. It was disposed of in 2009. + IMO:7817103 + + built:1980 + + + + + + + Vishva Nandin + + 2016-07-26T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-13T05:59:12Z + ATSQ + + General cargo ship vessel, which flew the flag of India. It was disposed of in 1999. + IMO:0000761 + + built:1978 + + + + + + + Vishva Prafulla + + 2016-07-26T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-13T05:59:30Z + ATVB + + General cargo ship vessel, which flew the flag of India, and was last known as the Asha Manan. It was disposed of in 2009. + IMO:7803425 + + built:1981 + + + + + + + Bhavabhuti + + 2016-07-26T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-13T04:50:23Z + ATUF + + General cargo ship vessel, which flew the flag of India. It was disposed of in 2001. + IMO:7719208 + + built:1981 + + + + + + + Vishva Parijet + + 2016-07-26T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-03T00:22:43Z + ATVC + + General cargo ship vessel, which flew the flag of India. It was disposed of in 2000. + IMO:7803401 + + built:1980 + + + + + + CMA CGM Orchid + + 2016-07-26T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-13T05:17:57Z + DDLF2 + + Container ship vessel, which flew the flag of Liberia. It is now known as the As Cypria (January, 2011). + IMO:9315812 + + built:2006 + + + + + + + + OOCL Houston + + 2016-09-01T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-13T05:47:04Z + VRDE7 + + Container ship vessel, which is currently flying the flag of Hong Kong (April, 2016). + IMO:9355757 + + built:2007 + + + + + + + Swan + + 2016-09-07T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2019-03-27T22:19:19Z + S6FK + + Reefer ship vessel. It was called the Swan from April 1999 until September 2007. It is now called the Pavlovsk. + IMO:8613542 + + built:1987 + Replaces http://vocab.aodn.org.au/def/platform/entity/259 + + Swan Reefer (MV Swan) + + + + + + Antarctic Chieftain + + 2016-10-13T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-02T23:31:55Z + VJT6415 + + Fishing vessel, currently flying the Australian flag (August 2016). + IMO:9262833 + + built:2002 + + + + + + Corinthian Bay + + 2016-10-13T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-02T23:32:56Z + VJN4779 + + Fishing vessel, currently flying the Australian flag (September 2016). + IMO:9188960 + + built:1998 + + + + + + Atlas Cove + + 2016-10-13T00:00:00Z + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2017-04-02T23:32:32Z + VHJT + + Fishing vessel, currently flying the Australian flag (August 2016). + IMO:9171008 + + built:1999 + + + + + + Highland Chief + + 2013-05-14T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2017-02-07T03:52:37Z + VROB + + Container ship vessel, which is currently flying the flag of Hong Kong (May 2013) + IMO:8809189 + + built:1990 + + + + + + Investigator + + 2016-03-30T00:00:00Z + British Oceanographic Data Centre (BODC) + (L06) SeaVoX Platform Categories + 2017-02-07T03:52:45Z + VLMJ + + CSIRO Marine National Facility research vessel. Length 94m. + IMO:9616888 + + built:2014; replaces the former CSIRO research vessel: Southern Surveyor (July 2014) + + + + + + Aurora Australis + + 2013-04-11T00:00:00Z + British Oceanographic Data Centre (BODC) + (P173) Partnership for Observation of the Global Ocean ships of interest + 2017-02-07T03:52:38Z + VNAA + + Research vessel owned by P and O Polar, length 94.91m. Active as at Mar 2013. + IMO:8717283 + + built:1990 + + + + + + Southern Surveyor + + 2013-04-08T00:00:00Z + British Oceanographic Data Centre (BODC) + (P173) Partnership for Observation of the Global Ocean ships of interest + 2017-02-07T03:52:30Z + VLHJ + + Was a CSIRO Marine National Facility research vessel. Built 1972 as Ranger Callisto (Norway), then became the UK registered Kurd (1 Jan 1982), then renamed Kurdeen (2 Jan 1982). Renamed Southern Surveyor 31 Dec 1982 and registered in Australia from 15 Nov 1988. Renamed Jupiter in July 2014 (St Kitts and Nevis). Length 66.16m. + IMO:7113002 + + built:1972 + + + + + + Oscar Elton Sette + + 2015-07-07T00:00:00Z + British Oceanographic Data Centre (BODC) + (L06) SeaVoX Platform Categories + 2017-02-07T03:52:34Z + WTEE + + "IMO": "8835097", + "title": "NOAA Ship", + "country": "United States", + "platformclass": "research vessel", + "callsign": "WTEE", + "pennant": "R 335", + "commissioned": "2003-01-23", + "previous_name": "Adventurous", + "length": "68", + "built": "1988-08", + "notes": "US NODC WOD code 9315." + IMO:8835097 + + built:1988 + + + + + + L'Astrolabe {FHZI} + + 2013-04-08T00:00:00Z + British Oceanographic Data Centre (BODC) + (P173) Partnership for Observation of the Global Ocean ships of interest + 2017-12-11T02:51:26Z + FHZI + + Research vessel built 1986 as the Canadian vessel Fort Resolution, re-registered in France and renamed Austral Fish 12 May 1988, renamed L'Astrolabe 18 May 1989. Re-registered in French Southern Territories between 20 Jun 1995 - 11 Oct 2006, then re-registered in France. Owned by Bourbon Offshore Surf. Commissioned by TAAF and Institut Polaire Francais Paul-Emile Victor. It was decommissioned in 2017. + IMO:8418198 + + built:1986 + + + + + + fixed benthic node + + 2013-04-08T00:00:00Z + British Oceanographic Data Centre (BODC) + (L061) SeaVoX Platform Categories + 2017-02-07T03:52:42Z + A collection of oceanographic instruments mounted at a fixed position on the seabed (e.g. POL Monitoring Platform seabed ADCP) + + + + + + + + + sea bed vehicle + + 2015-05-10T00:00:00Z + British Oceanographic Data Centre (BODC) + (L061) SeaVoX Platform Categories + 2017-02-07T03:52:42Z + An instrumented platform that is propelled on wheels or tracks on the seabed (e.g benthic crawler). + + + + + + + + + land/onshore structure + + 2013-04-08T00:00:00Z + + + + + + + British Oceanographic Data Centre (BODC) + (L061) SeaVoX Platform Categories + 2017-02-07T03:52:42Z + A fixed man-made structure on land to which instrumentation may be attached (e.g. meteorological tower) + + + + + + + + + offshore structure + + 2013-07-01T00:00:00Z + + + + + + + + + + + + + + + + + British Oceanographic Data Centre (BODC) + (L061) SeaVoX Platform Categories + 2017-02-07T03:52:42Z + A fixed (for the duration of the measurements) man-made structure away from the coast to which instrumentation may be attached (e.g. oil rig gas rig or jack-up barge) + + + + + + + + + coastal structure + + 2013-04-08T00:00:00Z + British Oceanographic Data Centre (BODC) + (L061) SeaVoX Platform Categories + 2017-02-07T03:52:42Z + A fixed man-made structure permanently linked to land with access to water at all states of the tide to which instrumentation may be attached (e.g. pier) + + + + + + + + + towed unmanned submersible + + 2015-05-10T00:00:00Z + British Oceanographic Data Centre (BODC) + (L061) SeaVoX Platform Categories + 2017-02-07T03:52:38Z + A vehicle towed by rigid cable through the water column at fixed or varying depth with no propulsion and no human operator (e.g. Towfish Scanfish UOR SeaSoar) + + + + + + + + + lowered unmanned submersible + + 2013-04-08T00:00:00Z + British Oceanographic Data Centre (BODC) + (L061) SeaVoX Platform Categories + 2017-02-07T03:52:38Z + An unmanned platform lowered and raised vertically by a cable from the mothership. Includes any type of profiling sensor mounting such as CTD frames profiling radiometers and instrumented nets. + + + + + + + + + sub-surface gliders + + 2014-01-20T00:00:00Z + + + + British Oceanographic Data Centre (BODC) + (L061) SeaVoX Platform Categories + 2017-02-07T03:52:38Z + Platforms with buoyancy-based propulsion that are capable of operations of variable depths which are not constrained to be near the sea surface. + + + + + + + + + ship + + 2013-04-08T00:00:00Z + British Oceanographic Data Centre (BODC) + (L061) SeaVoX Platform Categories + 2017-02-07T03:52:39Z + A large platform operating on the surface of the water column. Objective definitions for guidelines: >50m length (EU) >100 foot length (USA) >300 GRT weight (SOLAS). Subjective definition: a ship is a vessel big enough to carry a boat. + + + + + + + + + research vessel + + 2013-04-08T00:00:00Z + + + + + + + + + + + + + + + + + + + + + + + British Oceanographic Data Centre (BODC) + (L061) SeaVoX Platform Categories + 2017-02-07T03:52:39Z + A platform of any size operating on the surface of the water column in unpredictable locations that is specifically equipped manned and operated for scientific usually oceanographic research. + + + + + + + + + vessel of opportunity + + 2013-04-08T00:00:00Z + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + British Oceanographic Data Centre (BODC) + (L061) SeaVoX Platform Categories + 2017-02-07T03:52:39Z + A platform for purpose of commerce of any size operating on the surface of the water column in unpredictable locations that regularly collects scientific (oceanographic and meteorological) data (e.g. an instrumented cargo vessel). + + + + + + + + + self-propelled small boat + + 2015-05-10T00:00:00Z + British Oceanographic Data Centre (BODC) + (L061) SeaVoX Platform Categories + 2017-02-07T03:52:39Z + A small self-propelled platform operating on the surface of the water column that may be easily removed from the water (e.g. shore-based RIBs ships' boats). + + + + + + + + + vessel of opportunity on fixed route + + 2013-04-08T00:00:00Z + + + + + British Oceanographic Data Centre (BODC) + (L061) SeaVoX Platform Categories + 2017-02-07T03:52:38Z + A platform repeatedly following a predictable fixed track on the surface of the water column that collects scientific (oceanographic and meteorological) data (e.g. an instrumented ferry). + + + + + + + + + fishing vessel + + 2013-04-08T00:00:00Z + + + + + + + + + + + + + + + + + + British Oceanographic Data Centre (BODC) + (L061) SeaVoX Platform Categories + 2017-02-07T03:52:38Z + A platform operating on the surface of the water column whose primary purpose is the commercial harevsting of fish or shellfish but may be engaged in scientific activities such as fish stock surveys or mooring deployments and recoveries. + + + + + + + + + self-propelled boat + + 2014-02-21T00:00:00Z + British Oceanographic Data Centre (BODC) + (L061) SeaVoX Platform Categories + 2017-02-07T03:52:38Z + A small self-propelled platform operating on the surface of the water column in unpredictable locations that is smaller than a ship but too large to easily remove from the water. + + + + + + + + + man-powered boat + + 2015-05-10T00:00:00Z + British Oceanographic Data Centre (BODC) + (L061) SeaVoX Platform Categories + 2017-02-07T03:52:38Z + A platform operating on the surface of the water column that is manually propelled and may not be easily removed from the water (e.g. trireme). + + + + + + + + + naval vessel + + 2015-08-06T00:00:00Z + British Oceanographic Data Centre (BODC) + (L06) SeaVoX Platform Categories + 2017-02-07T03:52:39Z + A platform operating on the surface of the water column in unpredictable locations that is primarily equipped manned and operated for military purposes. Includes surface warships of all sizes and logistic support vessels. + + + + + + + + + man-powered small boat + + 2015-05-10T00:00:00Z + British Oceanographic Data Centre (BODC) + (L061) SeaVoX Platform Categories + 2017-02-07T03:52:38Z + A platform operating on the surface of the water column that is manually propelled and may be easily removed from the water (e.g. rowing boat canoe). + + + + + + + + + moored surface buoy + + 2013-04-08T00:00:00Z + + + + + + + + + + + + + + + + + + + British Oceanographic Data Centre (BODC) + (L061) SeaVoX Platform Categories + 2017-02-07T03:52:36Z + An unmanned instrumented platform operating on the surface of the water column loosely tethered to the seafloor to maintain a fixed position (e.g. ODAS buoy) + + + + + + + + + drifting surface float + + 2014-02-26T00:00:00Z + British Oceanographic Data Centre (BODC) + (L061) SeaVoX Platform Categories + 2017-02-07T03:52:36Z + An unmanned instrumented platform operating on the surface of the water column often attached to a drogue to track currents rather than winds (e.g. Argos buoy). + + + + + + + + + subsurface mooring + + 2013-04-08T00:00:00Z + + + + + + + + + + + + + + British Oceanographic Data Centre (BODC) + (L061) SeaVoX Platform Categories + 2017-02-07T03:52:37Z + A collection of oceanographic instruments attached to wires suspended between anchors on the seabed and buoyant spheres in the water column. + + + + + + + + + fixed subsurface vertical profiler + + 2015-05-10T00:00:00Z + British Oceanographic Data Centre (BODC) + (L061) SeaVoX Platform Categories + 2017-02-07T03:52:37Z + A platform that periodically makes an automated vertical traverse of the water column at a predetermined fixed location. (e.g. YSI vertical profiler HOMER CTD) + + + + + + + + + drifting subsurface profiling float + + 2013-04-08T00:00:00Z + + + + + + + + + + + + + British Oceanographic Data Centre (BODC) + (L061) SeaVoX Platform Categories + 2017-02-07T03:52:36Z + An unmanned instrumented platform drifting freely in the water column that periodically makes vertical traverses through the water column (e.g. Argo float) + + + + + + + + + mooring + + 2013-04-08T00:00:00Z + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + British Oceanographic Data Centre (BODC) + (L061) SeaVoX Platform Categories + 2017-06-26T23:24:36Z + A tethered collection of oceanographic instruments at a fixed location that may include seafloor mid-water and surface components. + + + + + + + + + geostationary orbiting satellite + + 2013-04-08T00:00:00Z + British Oceanographic Data Centre (BODC) + (L061) SeaVoX Platform Categories + 2017-02-07T03:52:45Z + A vehicle operating beyond the Earth's atmosphere without human occupants that orbits the Earth at the same rate as the Earth's rotation keeping it over a fixed location on the Earth's surface.. + + + + + + + + + orbiting satellite + + 2013-04-08T00:00:00Z + + + + + + + + + + + + + + + + + + + + + + British Oceanographic Data Centre (BODC) + (L061) SeaVoX Platform Categories + 2017-02-07T03:52:45Z + A vehicle operating beyond the Earth's atmosphere without human occupants that orbits the Earth at a different rate to the Earth's rotation so it moves over the Earth's surface.. + + + + + + + + + organism + + 2014-01-22T00:00:00Z + British Oceanographic Data Centre (BODC) + (L061) SeaVoX Platform Categories + 2017-02-07T03:52:45Z + A living creature carrying instruments or collecting samples + + + + + + + + + diver + + 2015-05-10T00:00:00Z + British Oceanographic Data Centre (BODC) + (L061) SeaVoX Platform Categories + 2017-02-07T03:52:45Z + A human being with self-contained equipment or surface-connected suit enabling operation within the water column. + + + + + + + + + flightless bird + + 2013-04-08T00:00:00Z + British Oceanographic Data Centre (BODC) + (L061) SeaVoX Platform Categories + 2017-02-07T03:52:45Z + A bird that is unable to fly with the ability to exist within the water column (e.g. penguin). + + + + + + + + + seabird and duck + + 2014-01-16T00:00:00Z + British Oceanographic Data Centre (BODC) + (L061) SeaVoX Platform Categories + 2017-02-07T03:52:45Z + A flighted bird that is able to exist on the water column surface and dive into the water column (e.g. cormorants auks ducks and gulls). + + + + + + + + + land-sea mammals + + 2013-04-08T00:00:00Z + British Oceanographic Data Centre (BODC) + (L061) SeaVoX Platform Categories + 2017-02-07T03:52:46Z + A mammal that exists both on land and within the water column. Includes seals sealions sea-otters and walruses. + + + + + + + + + + + + + + + + + + + + + + research aeroplane + + 2017-06-27T00:00:00Z + British Oceanographic Data Centre (BODC) + (L06) SeaVoX Platform Categories + 2017-07-03T06:28:26Z + A fixed-wing self-propelled aircraft that is equipped manned and operated for atmospheric meteorological or oceanographic research. + + + + + + + + + aeroplane + + 2017-06-27T00:00:00Z + British Oceanographic Data Centre (BODC) + (L06) SeaVoX Platform Categories + 2017-07-03T06:28:17Z + A fixed-wing self-propelled aircraft. + + + + + + + + + helicopter + + 2017-06-27T00:00:00Z + British Oceanographic Data Centre (BODC) + (L06) SeaVoX Platform Categories + 2017-07-03T06:28:30Z + An aircraft without wings that obtains its lift from the rotation of overhead blades. + + + + + + + + + glider + + 2017-06-27T00:00:00Z + British Oceanographic Data Centre (BODC) + (L06) SeaVoX Platform Categories + 2017-07-03T06:28:37Z + A fixed-wing aircraft with no propulsion. + + + + + + + + + human + + 2017-06-27T00:00:00Z + British Oceanographic Data Centre (BODC) + (L06) SeaVoX Platform Categories + 2017-07-03T05:46:35Z + A human being without specialised equipment operating on land or the surface of the water column. + + + + + + + + + cetacean + + 2017-06-27T00:00:00Z + British Oceanographic Data Centre (BODC) + (L06) SeaVoX Platform Categories + 2017-07-03T05:46:45Z + A mammal that exists within the water column but needing to regularly surface to breathe (i.e. dolphins and whales). + + + + + + + + + fish + + 2017-06-27T00:00:00Z + British Oceanographic Data Centre (BODC) + (L06) SeaVoX Platform Categories + 2017-07-03T05:46:49Z + A free-swimming creature that exists totally within the water column. + + + + + + + + + + + + + + + + + + + + + Sebastien_Mancini + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + eMII_Atkins.Natalia + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + Coffs Harbour 50m Mooring + + 2017-12-13T02:40:52Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform Register + 2018-09-14T05:16:18Z + CH050 + + The Coffs Harbour 50m Mooring is operated by SIMS (Sydney Institute of Marine Science) and collects data in the Coffs Harbour region. + + + nominal latitude:-30.311,nominal longitude:153.231,nominal depth:50m + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + Natalia_Atkins + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + superadmin + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + Capitaine Quiros + + 2018-09-07T06:48:35Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2019-03-27T21:42:50Z + 9V3505 + + Cargo ship vessel. It was called the Forum Samoa II from 2001 until June 2010. It was then shortly called the Opal Harmony, then Southern Moana, then Capitaine Fearn. It currently flies the flag of Singapore (2018). + IMO:9210713 + + built:2001 + + + + + + + + + + L'Astrolabe {FASB} + + 2017-12-11T00:00:00Z + British Oceanographic Data Centre (BODC) + (L06) SeaVoX Platform Categories + 2019-03-27T23:11:39Z + FASB + + The Astrolabe is a research vessel which is an icebreaker (Class IB5 of the Polar Code), built in 2017 as part of a partnership between the French Southern and Antarctic Territories (TAAF), the French Polar Institute Paul-Emile Victor (IPEV) and the Ministry of Defense (National Navy (MN)). The partnership is made through the creation of a public interest grouping between the TAAF and the MN and an agreement between the MN and the IPEV. + IMO:9797539 + + + built:2017 + + + + + + + + + + + + + + + Josephine Maersk + + 2018-02-20T00:00:00Z + British Oceanographic Data Centre (BODC) + (L06) SeaVoX Platform Categories + 2019-03-27T23:12:38Z + OWKF2 + + Container ship vessel, which is currently flying the flag of Denmark (September 2016). + IMO:9215191 + + + built:2002 + + + + + + ANL Elaroo + + 2019-02-08T02:46:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2019-03-27T21:37:18Z + D5BG5 + + Container ship vessel, which is currently flying the flag of Liberia (January 2019). + IMO:9516777 + + built:2012 + + + + + + + + + + + + + + + + + + + SNPP + + 2019-02-15T03:41:10Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network Platform Register + 2019-02-15T03:54:11Z + + This satellite was a prototype of the JPSS programme, originally designed as Preparatory Programme of the aborted NPOESS (National Polar-orbiting Operational Environmental Satellite System). It operated from October 2011, at an altitute of 825km, in a sunsynchronous orbit. Instrumentation: Advanced Technology Microwave Sounder, Clouds and the Earth’s Radiant Energy System, Cross-track Infrared Sounder, Ozone Mapping and Profiler Suite, and Visible/Infrared Imager Radiometer Suite. + Suomi National Polar-orbiting Partnership + NASA/NOAA - Joint Polar Satellite System (JPSS) - SNPP + + + + + + + + + + + HMB Endeavour + + 2019-03-26T05:08:01Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network platform register + 2019-03-26T05:13:47Z + VNJC + + Passenger ship vessel, which is currently flying the flag of Australia (February, 2019). + + IMO:8644967 + + built:1994 + + + + + + + + + + + + + + + OOCL Texas + + 2019-03-28T00:00:00Z + British Oceanographic Data Centre (BODC) + (L06) SeaVoX Platform Categories + 2019-03-27T23:12:59Z + VRDP4 + + Container ship vessel, which is currently flying the flag of Hong Kong (January, 2019). + IMO:9329552 + + + built:2008 + + + + + + Northwest Sandpiper + + 2019-03-28T00:00:00Z + British Oceanographic Data Centre (BODC) + (L06) SeaVoX Platform Categories + 2019-03-27T23:12:49Z + VNVG + + LNG Tanker vessel, which is currently flying the flag of Australia. + IMO:8913150 + + + built:1993 + + + + + NOAA-8 + true + + + + + + + + + + + NOAA-9 + true + + + + + NOAA-10 + true + + + + + NOAA-11 + true + + + + + NOAA-12 + true + + + + + NOAA-13 + true + + + + + NOAA-14 + true + + + + + NOAA-15 + true + + + + + NOAA-16 + true + + + + + NOAA-17 + true + + + + + NOAA-18 + true + + + + + NOAA-19 + true + + + + + Aqua + true + + + + + OrbView-2 + true + + + + + SAC-D + true + + + + + TOPEX-Poseidon + true + + + + + JASON-1 + true + + + + + JASON-2 + true + + + + + JASON-3 + true + + + + + GFO + true + + + + + Maersk Jalan + true + + + + + Patricia Schulte + true + + + + + Siangtan + true + + + + + Ramform Sovereign + true + + + + + Falkor + true + + + + + Isla Eden + true + + + + + Saxon Onward + true + + + + + Wistari Channel Acidification Mooring + true + + + + + Yongala National Reference Station Acidification Mooring + true + + + + + TOTTEN1 Mooring + true + + + + + TOTTEN2 Mooring + true + + + + + TOTTEN3 Mooring + true + + + + + Two Rocks 44m Shelf Mooring + true + + + + + Kimberley, WA Passive Acoustic Observatory + true + + + + + Pilbara, WA Passive Acoustic Observatory + true + + + + + Pulse 9 Mooring + true + + + + + Pulse 10 Mooring + true + + + + + Pulse 5 'heavy' Mooring + true + + + + + Pulse 5 'light' Mooring + true + + + + + Pulse 6 Mooring + true + + + + + Pulse 7 Mooring + true + + + + + Pulse 8 Mooring + true + + + + + Swan Reefer (MV Swan) + true + + + + + Pulse 9 Mooring + true + + + + + Pulse 10 Mooring + true + + + + + Oscar Elton Sette + true + + + + + naval vessel + true + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/test_aodntools/vocab/aodn_aodn-xbt-line-vocabulary.rdf b/test_aodntools/vocab/aodn_aodn-xbt-line-vocabulary.rdf new file mode 100644 index 00000000..2e282298 --- /dev/null +++ b/test_aodntools/vocab/aodn_aodn-xbt-line-vocabulary.rdf @@ -0,0 +1,2397 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + eMII_Finney.Kim_Admin + + + + + + + + + + + + + + + + + + + Sebastien Mancini + + + + + + eMII + + + + + + eMarine Information Infrastructure (eMII) + + + + + Testobject + true + + + + + + + + + + + + Freely Available For Reuse + + 2016-01-18T00:00:00Z + + This register contains a controlled vocabulary for XBT lines. + + xbtline + XBT line vocabulary + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + entity + 2017-02-27T22:28:07Z + 2017-02-28 + Version 1.0 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Greenland - Iceland - Denmark + Greenland - Iceland - Ireland + Greenland - Iceland - Scotland + + + AX01 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + New York - Caracas + New York - Trinidad + + AX10 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Tahiti - Auckland + + PX28 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Tahiti - Valparaiso + + PX29 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Brisbane - Noumea - Fiji + Brisbane - Noumea - Lautoka + Brisbane - Noumea - Suva + + PX30 + + PX30-31 + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Fiji - California + Noumea - Fiji + Noumea - Fiji - California + + PX31 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Sydney - Auckland + + PX32 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Hobart - Macquarie Island + + PX33 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Sydney - Wellington + + PX34 + + 151.3483 -33.84711 172.84103 -40.25969 + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Melbourne - Dunedin + + PX35 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Christchurch - McMurdo + + PX36 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Hawaii - California + Hawaii - San Francisco + + PX37 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Europe - Brazil + + AX11 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Hawaii - California + Hawaii - Long Beach + + PX37-South + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Hawaii - Alaska + Hawaii - Kodiak + Hawaii - Valdez + + PX38 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Hawaii - Seattle + Hawaii - Vancouver + + PX39 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Hawaii - Yokohama + Japan - Hawaii + + PX40 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Hawaii - Hong Kong + Hawaii - Taiwan + + PX41 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Hawaii - New Guinea + Hawaii - Solomon Islands + + PX42 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Hawaii - Marshall Islands - Guam + + PX43 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Hong Kong - Guam + Taiwan - Guam + + PX44 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + (3N,137E) - (34N,137E) + 137th meridian east from 3N to 34N + + PX45 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + (3S,165E) - (50N,1165E) + 165th meridian east from 3S to 50N + + PX46 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Europe - Antarctica + + AX12 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Alaska - California + + PX47 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Japan - Singapore + Taiwan - Singapore + + PX49 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Valparaiso - Auckland + + PX50 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Hong Kong - Auckland + + PX51 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Japan - Fiji + + PX52 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Mindanao - Fiji + Taiwan - Fiji + + PX53 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Melbourne - Wellington + + PX55 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Brisbane - Dunedin + + PX56 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Brisbane - Wellington + + PX57 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Costa Rica coast + + PX76 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Brazil - Liberia + Rio de Janeiro - Monrovia + + AX13 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Peru coastal + + PX77 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Valparaiso - 80W + + PX79 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Tahiti - Cape Horn + + PX80 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Hawaii - Chile + Honolulu - Coronel + + PX81 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Melbourne - Fiji + + PX82 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Melbourne - Auckland + + PX83 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Brazil - Nigeria + Rio de Janeiro - Lagos + + AX14 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Europe - Cape of Good Hope + + AX15 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Brazil - Namibia + Rio de Janeiro - Walvis Bay + + AX16 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Rio de Janeiro - Cape of Good Hope + + AX17 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Buenos Aires - Cape of Good Hope + + AX18 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Cape Horn - Cape of Good Hope + + AX19 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Newfoundland - Iceland + + AX02 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Europe - French Guyana + + AX20 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Cape Verde - Belem + Cape Verde - Brazil + + AX20b + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Rio de Janeiro - Luanda + Rio de Janeiro - Pointe Noire + + AX21 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Drake Passage + + AX22 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Gulf of Mexico + + AX23 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Cape Town - Antarctica + Cape of Good Hope - Antarctica + + AX25 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Cape of Good Hope - Lagos + + AX26 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Brazil - Cape Horn + + AX27 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + New York - Brazil + + AX29 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + New York - Bermuda + + AX32 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Europe - New York + + AX03 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Boston - Halifax + Boston - Nova Scotia + + AX33 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Gulf of Guinea - Caribbean + + AX34 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Cape of Good Hope - Recife + + AX35 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Cape Horn - Gulf of Guinea + + AX36 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Rio de Janeiro - Trindade island + + AX97 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Norwegian Sea + + AX98 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Southern Ocean + + AX99 + + SO + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Fremantle - Sunda Strait + + IX01 + + IX1 + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Cape of Good Hope - Fremantle + + IX02 + + IX2 + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Red Sea - La Reunion + Red Sea - Mauritius + + IX03 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + New York - Gibraltar + New York - Lisbon + + AX04 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + La Reunion - Malacca Strait + Mauritius - Malacca Strait + + IX06 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Cape of Good Hope - Persian Gulf + + IX07 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Mauritius - Bombay + + IX08 + + IX8 + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Fremantle - Persian Gulf + + IX09 + + IX9 + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Sri Lanka - Persian Gulf + + IX09-North + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Red Sea - Malacca Strait + Red Sea - Singapore + + IX10 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Calcutta - Java Sea + + IX11 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Fremantle - Red Sea + + IX12 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Bay of Bengal + + IX14 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Mauritius - Fremantle + + IX15 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Europe - Panama Canal + + AX05 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Mombassa - Singapore + + IX16 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Mombassa - Karachi + + IX17 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Mombassa - Bombay + + IX18 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + La Reunion - Kerguelen + Mauritius - Kerguelen + + IX19 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + La Reunion - Amsterdam + Mauritius - Amsterdam + + IX19b + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Mauritius - Rodriguez + + IX20 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Cape of Good Hope - Mauritius + Durban - Mauritius + + IX21 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Shark Bay - Banda Sea + Shark Bay - Timor Strait + + IX22 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Port Hedland - Japan + Shark Bay - Japan + + IX22-PX11 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Hobart - Casey station + + IX23 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + New York - Abidjan + + AX06 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Mauritius - Karachi + + IX25 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Red Sea - Karachi + + IX26 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Mombassa - La Reunion + + IX27 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Hobart - Dumont d'Urville + + IX28 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Macquarie Island - Casey station + + IX29 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Melbourne - Point Leeuwin + + IX31 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Haifa - Gibraltar + + MX01 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Barcelona - Skikda + + MX02 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Sete - Tunis + + MX03 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Gulf of Mexico - Abidjan + + AX07 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Genoa - Palermo + + MX04 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Malta - Trieste + + MX05 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Alexandria - Crete - Tessaloniki + + MX06 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Cyprus - Port Said + + MX07 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Seattle - Indonesia + Vancouver - Indonesia + + PX01 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Flores Sea - Torres Strait + + PX02 + + PX2 + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Coral Sea + + PX03 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Japan - Kiribati - Fiji + Japan - Kiribati - Samoa + + PX04 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Japan - New Zealand + + PX05 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Brisbane - Yokohama + Japan - Australia + + PX05b + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + New York - Cape of Good Hope + + AX08 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Auckland - Suva + New Zealand - Fiji + + PX06 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Auckland - Panama + Dunedin - Panama + + PX08 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Hawaii - Auckland + Hawaii - Fiji + + PX09 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Guam - Hawaii + Saipan - Hawaii + + PX10 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Flores Sea - Japan + + PX11 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Tahiti - Noumea + + PX12 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + New Zealand - California + + PX13 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Alaska - Cape Horn + + PX14 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Ecuador - Japan + + PX15 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Hawaii - Peru + + PX16 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Caracas - Gibraltar + Trinidad - Gibraltar + + AX09 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Maruroa - Panama + Tahiti - Panama + + PX17 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Tahiti - California + + PX18 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + California - Panama + + PX20 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + California - Chile + + PX21 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Panama - Valparaiso + + PX22 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Panama - 115W + Panama - 115th meridian west + + PX23 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Panama - Indonesia + + PX24 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Valparaiso - Japan + + PX25 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + TRANSPAC + + PX26 + + + + + + + 2016-01-18T00:00:00Z + + eMarine Information Infrastructure (eMII) + Australian Ocean Data Network XBT line register + Guayaquil - Galapagos + + PX27 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/test_aodntools/vocab/test_platform_code_vocab.py b/test_aodntools/vocab/test_platform_code_vocab.py new file mode 100644 index 00000000..de29af1c --- /dev/null +++ b/test_aodntools/vocab/test_platform_code_vocab.py @@ -0,0 +1,54 @@ +import os +from unittest.mock import patch + +from aodncore.pipeline import HandlerBase +from aodncore.testlib import BaseTestCase, HandlerTestCase +from aodndata.vocab.platform_code_vocab import (PlatformVocabHelper, platform_type_uris_by_category, + platform_altlabels_per_preflabel) + +TEST_ROOT = os.path.join(os.path.dirname(__file__)) + +TEST_PLATFORM_CAT_VOCAB_URL = '%s%s' % ('file://', + os.path.join(TEST_ROOT, 'aodn_aodn-platform-category-vocabulary.rdf')) + +TEST_PLATFORM_VOCAB_URL = '%s%s' % ('file://', + os.path.join(TEST_ROOT, 'aodn_aodn-platform-vocabulary.rdf')) + + +class TestVocabHandler(HandlerBase): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.platform_vocab_helper = PlatformVocabHelper(TEST_PLATFORM_VOCAB_URL, TEST_PLATFORM_CAT_VOCAB_URL) + + +class TestDummyHandler(HandlerTestCase): + def setUp(self): + self.handler_class = TestVocabHandler + super().setUp() + + def test_platform_vocab_helper(self): + handler = self.handler_class(self.temp_nc_file) + self.assertIsInstance(handler.platform_vocab_helper.platform_type_uris_by_category(), dict) + self.assertEqual(handler.platform_vocab_helper.platform_altlabels_per_preflabel('Vessel')['9VUU'], 'Anro Asia') + + +class TestPlatformCodeVocab(BaseTestCase): + def setUp(self): + self.platform_vocab_helper = PlatformVocabHelper(TEST_PLATFORM_VOCAB_URL, TEST_PLATFORM_CAT_VOCAB_URL) + + def test_platform_type(self): + res = self.platform_vocab_helper.platform_type_uris_by_category() + self.assertEqual(res['Float'][0], 'http://vocab.nerc.ac.uk/collection/L06/current/42') + + def test_altlabels(self): + res = self.platform_vocab_helper.platform_altlabels_per_preflabel(category_name='Vessel') + self.assertEqual(res['9VUU'], 'Anro Asia') + + def test_platform_type_deprecated(self): + res = platform_type_uris_by_category(platform_cat_vocab_url=TEST_PLATFORM_CAT_VOCAB_URL) + self.assertEqual(res['Float'][0], 'http://vocab.nerc.ac.uk/collection/L06/current/42') + + @patch("aodndata.vocab.platform_code_vocab.DEFAULT_PLATFORM_CAT_VOCAB_URL", TEST_PLATFORM_CAT_VOCAB_URL) + def test_altlabels_deprecated(self): + res = platform_altlabels_per_preflabel(category_name='Vessel', platform_vocab_url=TEST_PLATFORM_VOCAB_URL) + self.assertEqual(res['9VUU'], 'Anro Asia') diff --git a/test_aodntools/vocab/test_xbt_line_vocab.py b/test_aodntools/vocab/test_xbt_line_vocab.py new file mode 100644 index 00000000..cd0cefe2 --- /dev/null +++ b/test_aodntools/vocab/test_xbt_line_vocab.py @@ -0,0 +1,21 @@ +import os + +from aodncore.testlib import BaseTestCase +from aodndata.vocab.xbt_line_vocab import XbtLineVocabHelper + +TEST_ROOT = os.path.join(os.path.dirname(__file__)) + +TEST_XBT_LINE_VOCAB_URL = '%s%s' % ('file://', + os.path.join(TEST_ROOT, 'aodn_aodn-xbt-line-vocabulary.rdf')) + + +class TestPlatformCodeVocab(BaseTestCase): + def setUp(self): + + self.xbt_line_vocab_helper = XbtLineVocabHelper(TEST_XBT_LINE_VOCAB_URL) + + def test_platform_type(self): + res = self.xbt_line_vocab_helper.xbt_line_info() + + self.assertTrue('AX01' in res.keys()) + self.assertEqual('Greenland - Iceland - Scotland', res['AX01']['xbt_line_description'])