Skip to content
Snippets Groups Projects
Commit bc779728 authored by Kennedy, Joseph H's avatar Kennedy, Joseph H
Browse files

LEX v0.1.0 release (MR !3)

The v0.1.0 release of theLIVVkit Extensions repository to demonstrate
our extension functionality. It includes the CESM Greenland analyses of
cloud cover, energy balance, and surface mass balance, and CISM-Albany
analyses of ice sheet dynamics. This release is documented in the
Evans et al. LIVVkit/LEX validation paper submitted to GMD in 2018.

Closes !3
parents d1fde1b3 afec4fa2
No related branches found
No related tags found
No related merge requests found
Showing
with 309 additions and 194 deletions
version = 0.1-rc3
\ No newline at end of file
version = 0.1.0
\ No newline at end of file
......@@ -26,7 +26,7 @@
# OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
# OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
"""An analysis of CESM's cloud cover over Greenland."""
"""An analysis of Model's cloud cover over Greenland."""
from __future__ import absolute_import, division, print_function, unicode_literals
......
File moved
......@@ -18,8 +18,8 @@ title = "High cloud cover over Greenland"
def make_plot(config, out_path='.'):
f_isccp = os.path.join(config['cloud_data'], 'ISCCP_ANN_climo.nc')
f_cloudsat = os.path.join(config['cloud_data'], 'CLOUDSAT_ANN_climo.nc')
f_isccp = os.path.join(config['cloud_data'], 'isccp', 'ISCCP_ANN_climo.nc')
f_cloudsat = os.path.join(config['cloud_data'], 'cloudsat', 'CLOUDSAT_ANN_climo.nc')
img_list = []
......
......@@ -18,8 +18,8 @@ title = "Low cloud cover over Greenland"
def make_plot(config, out_path='.'):
f_isccp = os.path.join(config['cloud_data'], 'ISCCP_ANN_climo.nc')
f_cloudsat = os.path.join(config['cloud_data'], 'CLOUDSAT_ANN_climo.nc')
f_isccp = os.path.join(config['cloud_data'], 'isccp', 'ISCCP_ANN_climo.nc')
f_cloudsat = os.path.join(config['cloud_data'], 'cloudsat', 'CLOUDSAT_ANN_climo.nc')
img_list = []
......
......@@ -18,8 +18,8 @@ title = "Cloud cover over Greenland"
def make_plot(config, out_path='.'):
f_isccp = os.path.join(config['cloud_data'], 'ISCCP_ANN_climo.nc')
f_cloudsat = os.path.join(config['cloud_data'], 'CLOUDSAT_ANN_climo.nc')
f_isccp = os.path.join(config['cloud_data'], 'isccp', 'ISCCP_ANN_climo.nc')
f_cloudsat = os.path.join(config['cloud_data'], 'cloudsat', 'CLOUDSAT_ANN_climo.nc')
img_list = []
......
# coding=utf-8
from __future__ import absolute_import, print_function, unicode_literals
import six
import pybtex.database
import pybtex.io
......@@ -10,35 +15,100 @@ class HTMLBackend(BaseBackend):
super(HTMLBackend, self).__init__(*args, **kwargs)
self._html = ''
def output(self, html):
self._html += html
def format_protected(self, text):
if text[:4] == 'http':
return self.format_href(text, text)
else:
return r'<span class="bibtex-protected">{}</span>'.format(text)
def write_prologue(self):
self.output('<div class="bibliography"><dl>')
def write_epilogue(self):
self.output('</dl></div>')
def _repr_html(self, formatted_bibliography):
self.write_prologue()
for entry in formatted_bibliography:
self.write_entry(entry.key, entry.label, entry.text.render(self))
self.write_epilogue()
return self._html.replace('\n', ' ').replace('\\url <a', '<a')
def bib2html(bib_file):
style = PlainStyle()
backend = HTMLBackend()
# FIXME: For python 3.7+ only...
# from functools import singledispatch
# from collections.abc import Iterable
#
# # noinspection PyUnusedLocal
# @singledispatch
# def bib2html(bib, style=None, backend=None):
# raise NotImplementedError('I do not now how to convert a {} type to a bibliography'.format(type(bib)))
def bib2html(bib, style=None, backend=None):
if isinstance(bib, six.string_types):
return _bib2html_string(bib, style=style, backend=backend)
if isinstance(bib, (list, set, tuple)):
return _bib2html_list(bib, style=style, backend=backend)
if isinstance(bib, pybtex.database.BibliographyData):
return _bib2html_bibdata(bib, style=style, backend=backend)
else:
raise NotImplementedError('I do not now how to convert a {} type to a bibliography'.format(type(bib)))
# FIXME: For python 3.7+ only...
# @bib2html.register
# def _bib2html_string(bib: str, style=None, backend=None):
def _bib2html_string(bib, style=None, backend=None):
if style is None:
style = PlainStyle()
if backend is None:
backend = HTMLBackend()
formatted_bib = style.format_bibliography(pybtex.database.parse_file(bib))
return backend._repr_html(formatted_bib)
# FIXME: For python 3.7+ only...
# @bib2html.register
# def _bib2html_list(bib: Iterable, style=None, backend=None):
def _bib2html_list(bib, style=None, backend=None):
if style is None:
style = PlainStyle()
if backend is None:
backend = HTMLBackend()
bibliography = pybtex.database.BibliographyData()
for bib_file in bib:
temp_bib = pybtex.database.parse_file(bib_file)
for key, entry in temp_bib.entries.items():
try:
bibliography.add_entry(key, entry)
except pybtex.database.BibliographyDataError:
continue
formatted_bib = style.format_bibliography(bibliography)
return backend._repr_html(formatted_bib)
# FIXME: For python 3.7+ only...
# @bib2html.register
# def _bib2html_bibdata(bib: pybtex.database.BibliographyData, style=None, backend=None):
def _bib2html_bibdata(bib, style=None, backend=None):
if style is None:
style = PlainStyle()
if backend is None:
backend = HTMLBackend()
formatted_bib = style.format_bibliography(bib)
bib = pybtex.database.parse_file(bib_file)
fbib = style.format_bibliography(bib)
return backend._repr_html(fbib)
return backend._repr_html(formatted_bib)
......@@ -31,12 +31,12 @@ def make_plot(config, out_path='.'):
model_cld = ncid1.variables['CLDHGH'][0]
# CLDSAT
f_cloudsat = os.path.join(config['cloud_data'], "CLOUDSAT_{:02d}_aavg_climo.nc".format(month))
f_cloudsat = os.path.join(config['cloud_data'], 'cloudsat', "CLOUDSAT_{:02d}_aavg_climo.nc".format(month))
ncid2 = Dataset(f_cloudsat, mode='r')
cldsat_cld = ncid2.variables['CLDHGH'][0]
# ISCCP
f_isccp = os.path.join(config['cloud_data'], "ISCCP_{:02d}_aavg_climo.nc".format(month))
f_isccp = os.path.join(config['cloud_data'], 'isccp', "ISCCP_{:02d}_aavg_climo.nc".format(month))
ncid3 = Dataset(f_isccp, mode='r')
isccp_cld = ncid3.variables['CLDHGH'][0]
......
......@@ -31,12 +31,12 @@ def make_plot(config, out_path='.'):
model_cld = ncid1.variables['CLDLOW'][0]
# CLDSAT
f_cloudsat = os.path.join(config['cloud_data'], "CLOUDSAT_{:02d}_aavg_climo.nc".format(month))
f_cloudsat = os.path.join(config['cloud_data'], 'cloudsat', "CLOUDSAT_{:02d}_aavg_climo.nc".format(month))
ncid2 = Dataset(f_cloudsat, mode='r')
cldsat_cld = ncid2.variables['CLDLOW'][0]
# ISCCP
f_isccp = os.path.join(config['cloud_data'], "ISCCP_{:02d}_aavg_climo.nc".format(month))
f_isccp = os.path.join(config['cloud_data'], 'isccp', "ISCCP_{:02d}_aavg_climo.nc".format(month))
ncid3 = Dataset(f_isccp, mode='r')
isccp_cld = ncid3.variables['CLDLOW'][0]
......
......@@ -31,12 +31,12 @@ def make_plot(config, out_path='.'):
model_cld = ncid1.variables['CLDTOT'][0]
# CLDSAT
f_cloudsat = os.path.join(config['cloud_data'], "CLOUDSAT_{:02d}_aavg_climo.nc".format(month))
f_cloudsat = os.path.join(config['cloud_data'], 'cloudsat', "CLOUDSAT_{:02d}_aavg_climo.nc".format(month))
ncid2 = Dataset(f_cloudsat, mode='r')
cldsat_cld = ncid2.variables['CLDTOT'][0]
# ISCCP
f_isccp = os.path.join(config['cloud_data'], "ISCCP_{:02d}_aavg_climo.nc".format(month))
f_isccp = os.path.join(config['cloud_data'], 'isccp', "ISCCP_{:02d}_aavg_climo.nc".format(month))
ncid3 = Dataset(f_isccp, mode='r')
isccp_cld = ncid3.variables['CLDTOT'][0]
......
{
"clouds_cesm" : {
"module" : "clouds/clouds_cesm.py",
"references" : "clouds/clouds_model.bib",
"module" : "clouds/clouds.py",
"references" : ["data/clouds/cloudsat/Kay2009.bib",
"data/clouds/isccp/Rossow1999.bib",
"data/cism/glissade/cism-glissade.bib",
"data/cesm/cesm.bib",
"data/livvkit.bib"],
"atm_glob": "data/cesm/atm/b.e10.BG20TRCN.f09_g16.002_??_aavg_climo.nc",
"atm_climo": "data/cesm/atm/b.e10.BG20TRCN.f09_g16.002_JJA_climo.nc",
"glc_surf": "data/cism/glissade/Greenland_5km_v1.1_SacksRev_c110629.nc",
......
{
"clouds_e3sm" : {
"module" : "clouds/clouds_e3sm.py",
"references" : "clouds/clouds_model.bib",
"module" : "clouds/clouds.py",
"references" : ["data/clouds/cloudsat/Kay2009.bib",
"data/clouds/isccp/Rossow1999.bib",
"data/cism/glissade/cism-glissade.bib",
"data/e3sm/Evans2019.bib",
"data/livvkit.bib"],
"atm_glob": "data/e3sm/atm/20180612.B_case.T62_oEC60to30v3wLI.modified_runoff_mapping.edison_??_aavg_climo.nc",
"atm_climo": "data/e3sm/atm/20180612.B_case.T62_oEC60to30v3wLI.modified_runoff_mapping.edison_JJA_climo.nc",
"glc_surf": "data/cism/glissade/Greenland_5km_v1.1_SacksRev_c110629.nc",
......
# Copyright (c) 2015,2016, UT-BATTELLE, LLC
# All rights reserved.
#
# Redistribution and use in source and binary forms, with or without
# modification, are permitted provided that the following conditions are met:
#
# 1. Redistributions of source code must retain the above copyright notice, this
# list of conditions and the following disclaimer.
#
# 2. Redistributions in binary form must reproduce the above copyright notice,
# this list of conditions and the following disclaimer in the documentation
# and/or other materials provided with the distribution.
#
# 3. Neither the name of the copyright holder nor the names of its contributors
# may be used to endorse or promote products derived from this software without
# specific prior written permission.
#
# THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND
# ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
# WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE
# DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE
# FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL
# DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR
# SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER
# CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY,
# OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
# OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
"""An analysis of E3SM's cloud cover over Greenland."""
from __future__ import absolute_import, division, print_function, unicode_literals
import os
import livvkit
from livvkit.util import elements as el
from livvkit.util import functions as fn
with fn.temp_sys_path(os.path.dirname(__file__)):
import clouds.utils as utils
import clouds.model_cldhgh_ann as clouds_high
import clouds.model_cldlow_ann as clouds_low
import clouds.model_cldtot_ann as clouds_total
import clouds.yearly_cycle_cldhgh as yrly_high
import clouds.yearly_cycle_cldlow as yrly_low
import clouds.yearly_cycle_cldtot as yrly_total
def run(name, config):
"""
Runs the extension.
Args:
name: The name of the extension
config: A dictionary representation of the configuration file
Returns:
A LIVVkit page element containing the LIVVkit elements to display on a webpage
"""
img_dir = os.path.join(livvkit.output_dir, 'validation', 'imgs', name)
fn.mkdir_p(img_dir)
# PLOTS
img_list = []
img_list.extend(clouds_high.make_plot(config, out_path=img_dir))
img_list.extend(clouds_low.make_plot(config, out_path=img_dir))
img_list.extend(clouds_total.make_plot(config, out_path=img_dir))
img_list.extend(yrly_high.make_plot(config, out_path=img_dir))
img_list.extend(yrly_low.make_plot(config, out_path=img_dir))
img_list.extend(yrly_total.make_plot(config, out_path=img_dir))
element_list = [el.gallery('Figures', img_list)]
ref_bib = utils.bib2html(config['references'])
element_list.append(el.html(' '.join(['<div class="references"><h3>References</h3>',
'If you use this LIVVkit extension for any part of your',
'modeling or analyses, please cite:' + ref_bib + '</div>',
])
))
return el.page(name, __doc__, element_list)
def print_summary(summary):
"""
Print out a summary generated by this module's summarize_result method
"""
raise NotImplementedError
def summarize_result(result):
"""
Provides a snapshot of the extension's results to be provided on the
summary webpage and printed to STDOUT via the print_summary method
"""
raise NotImplementedError
def populate_metadata():
"""
Generates the metadata needed for the output summary page
"""
raise NotImplementedError
@article {Kennedy2017,
AUTHOR = {Kennedy, Joseph H. and Bennett, Andrew R. and Evans, Katherine J. and Price, Stephen and Hoffman, Matthew and Lipscomb, William H. and Fyke, Jeremy and Vargo, Lauren and Boghozian, Adrianna and Norman, Matthew and Worley, Patrick H.},
TITLE = {LIVVkit: An extensible, python-based, land ice verification and validation toolkit for ice sheet models},
JOURNAL = {Journal of Advances in Modeling Earth Systems},
VOLUME = {9},
NUMBER = {2},
ISSN = {1942-2466},
DOI = {10.1002/2017MS000916},
PAGES = {854--869},
YEAR = {2017},
}
@Article{isccp99,
AUTHOR = {R. B. Rossow and R.A. Schiffer},
title = {Advances in understanding clouds from ISCCP},
YEAR = {1999},
JOURNAL = {Bulletin of the American Meteorological Society},
VOLUME = {80},
DOI = {10.1175/1520-0477(1999)080<2261:AIUCFI>2.0.CO;2},
PAGES = {2261--2287}
}
@article {kg09,
AUTHOR = {Kay, Jennifer E. and Gettelman, Andrew},
TITLE = {Cloud influence on and response to seasonal Arctic sea ice loss},
JOURNAL = {Journal of Geophysical Research: Atmospheres},
VOLUME = {114},
NUMBER = {D18},
DOI = {10.1029/2009JD011773},
YEAR = {2009},
NOTE = {D18204},
}
\ No newline at end of file
Example CESM model data
=======================
The data included in this directory are from a fully-coupled simulation using
the Community Earth System model (CESM) v1.0 and provides the minimum required
data to reproduce the figures and analyses as described in Evans et al., 2018.
The simulations were described in Vizcaíno et al., 2013.
Usage
-----
Please include the following references when using this data:
Evans, K. J., Kennedy, J. H., Lu, D., Forrester, M. M., Price, S., Fyke, J.,
Bennett, A. R., Hoffman, M. J., Tezaur, I., Zender, C. S., and Vizcaíno, M.:
LIVVkit 2.1: Automated and extensible ice sheet model validation,
Geosci. Model Dev. Discuss., in review, 2018.
`doi:10.5194/gmd-2018-70 <https://doi.org/10.5194/gmd-2018-70>`_.
Vizcaíno, M., Lipscomb, W. H., Sacks, W., van Angelen, J. H., Wouters, B.,
and van den Broeke, M. R.: Greenland Surface Mass Balance as Simulated by
the Community Earth System Model. Part I: Model Evaluation and 1850–2005
Results, J. Climate, 26, 7993–7812, 2013.
`doi:10.1175/JCLI-D-12-00615.1 <https://doi.org/10.1175/JCLI-D-12-00615.1>`_.
This citation has been provided in BibTeX form in the
``$LEX/data/cesm/cesm.bib``
file with ``Evans2019`` and ``Vizicaino2013`` as the citation keys, and will be
rendered in the references section on the output website.
Subdirectories
--------------
* ``atm`` -- CESM atmosphere component data
* ``lnd`` -- CESM land component data
* ``glc`` -- CESM land ice (ice sheet) component data
Rehost
------
Permission to rehost this data has been granted by the above authors.
\ No newline at end of file
@Article{Evans2019,
AUTHOR = {Evans, K. J. and Kennedy, J. H. and Lu, D. and Forrester, M. M. and Price, S. and Fyke, J. and Bennett, A. R. and Hoffman, M. J. and Tezaur, I. and Zender, C. S. and Vizcaíno, M.},
TITLE = {LIVVkit 2.1: Automated and extensible ice sheet model validation},
JOURNAL = {Geoscientific Model Development Discussions},
VOLUME = {2018},
YEAR = {2018},
PAGES = {1--31},
URL = {https://www.geosci-model-dev-discuss.net/gmd-2018-70/},
DOI = {10.5194/gmd-2018-70}
}
@article{Vizcaino2013,
author = {Vizcaíno, Miren and Lipscomb, William H. and Sacks, William J. and van Angelen, Jan H. and Wouters, Bert and van den Broeke, Michiel R.},
title = {Greenland Surface Mass Balance as Simulated by the Community Earth System Model. Part I: Model Evaluation and 1850–2005 Results},
journal = {Journal of Climate},
volume = {26},
number = {20},
pages = {7793-7812},
year = {2013},
doi = {10.1175/JCLI-D-12-00615.1},
URL = {https://doi.org/10.1175/JCLI-D-12-00615.1}
}
Example CESM model data
=======================
The data included in this directory provides the minimum required data to
reproduce the figures and analyses as described in:
Katherine J. Evans, Joseph H. Kennedy, Dan Lu, Mary M. Forrester,
Stephen Price, Jeremy Fyke, Andrew R. Bennett, Matthew J. Hoffman,
Irina Tezaur, and Charles S. Zender. LIVVkit: Automated and extensible ice
sheet model validation. Geoscientific Model Development
(Submitted Feb. 2017).
Usage
-----
Please include the following references when using this data:
Evans 2017
Vizicano ...
Files
-----
* ``b.e10.BG20TRCN.f09_g16.002_ANN_196001_200512_climo.nc`` -- Climatology of
CISM (CESM's ice sheet component) simulation output.
* ``Greenland_5km_v1.1_SacksRev_c110629.nc`` -- CISM input data for CESM.
Rehost
------
Permission to rehost this data has been granted by the above authors.
\ No newline at end of file
CISM-Albany example data
========================
The data included here was generated from a CISM-Albany simulation of Greenland
from 1991 to 2013 via the postprocessing scripts found and described in the
``$LEX/postproc/cism-albany`` directory. The simulation itself, and how to
reproduce it, is described in detail in Price et al., 2017. As the original
model output data in ~132GB in size and much too large to distribute and only
the processed data is included.
Usage
-----
Because this data is intended as an example only, it is not recommended for
scientific analyses. However, if you do use any part of this data, please
include the following references when using this dataset:
S. F. Price, M. J. Hoffman, J. A. Bonin, I. M. Howat, T. Neumann, J. Saba,
I. Tezaur, J. Guerber, D. P. Chambers, K. J. Evans, J. H. Kennedy,
J. Lenaerts, W. H. Lipscomb, M. Perego, A. G. Salinger, R. S. Tuminaro,
M. R. van den Broeke, and S. M. J. Nowicki. An ice sheet model validation
framework for the Greenland ice sheet. Geoscientific Model Development, 10,
255-270, 2017.
`doi:10.5194/gmd-10-255-2017 <https://doi.org/10.5194/gmd-10-255-2017>`_.
Joughin, I., B. Smith, I. Howat, and T. Scambos. 2010. MEaSUREs Greenland
Ice Sheet Velocity Map from InSAR Data, Version 1. Boulder, Colorado USA.
NASA National Snow and Ice Data Center Distributed Active Archive Center.
`doi:10.5067/MEASURES/CRYOSPHERE/nsidc-0478.001 <https://doi.org/10.5067/MEASURES/CRYOSPHERE/nsidc-0478.001>`_.
Joughin, I., Smith, B., Howat, I., Scambos, T., & Moon, T. (2010). Greenland
flow variability from ice-sheet-wide velocity mapping. Journal of Glaciology,
56(197), 415-430.
`doi:10.3189/002214310792447734 <https://doi.org/10.3189/002214310792447734>`_.
van Angelen, J.H., van den Broeke, M.R., Wouters, B. and Lenaerts, J. T. M.
Contemporary (1960–2012) Evolution of the Climate and Surface Mass Balance
of the Greenland Ice Sheet. Surv Geophys (2014) 35: 1155.
`doi:10.1007/s10712-013-9261-z <https://doi.org/10.1007/s10712-013-9261-z>`_.
These citations have been provided in BibTeX form in the ``gmd-10-255-2017.bib``
file with ``Price2017``, ``insar2010b``, ``insar2010a``, ``racmo20`` as the
citation keys, respectively. These references will be rendered in the
references section on the output website.
Rehost
------
The CISM-Albany data was provided by the Authors of Price et al. (2017) and
permission to rehost the postprocessed data was granted by the aforementioned
authors.
\ No newline at end of file
@article {Kennedy2017,
AUTHOR = {Kennedy, Joseph H. and Bennett, Andrew R. and Evans, Katherine J. and Price, Stephen and Hoffman, Matthew and Lipscomb, William H. and Fyke, Jeremy and Vargo, Lauren and Boghozian, Adrianna and Norman, Matthew and Worley, Patrick H.},
TITLE = {LIVVkit: An extensible, python-based, land ice verification and validation toolkit for ice sheet models},
JOURNAL = {Journal of Advances in Modeling Earth Systems},
VOLUME = {9},
NUMBER = {2},
ISSN = {1942-2466},
DOI = {10.1002/2017MS000916},
PAGES = {854--869},
YEAR = {2017},
}
@misc{Zwally2012,
AUTHOR = {H. Jay Zwally and Mario B. Giovinetto and Matthew A. Beckley and Jack L. Saba},
TITLE = {Antarctic and Greenland Drainage Systems},
NOTE = {GSFC Cryospheric Sciences Laboratory},
HOWPUBLISHED = {\url{http://icesat4.gsfc.nasa.gov/cryo_data/ant_grn_drainage_systems.php}},
YEAR = {2012}
@Article{Price2017,
AUTHOR = {Price, S. F. and Hoffman, M. J. and Bonin, J. A. and Howat, I. M. and Neumann, T. and Saba, J. and Tezaur, I. and Guerber, J. and Chambers, D. P. and Evans, K. J. and Kennedy, J. H. and Lenaerts, J. and Lipscomb, W. H. and Perego, M. and Salinger, A. G. and Tuminaro, R. S. and van den Broeke, M. R. and Nowicki, S. M. J.},
TITLE = {An ice sheet model validation framework for the Greenland ice sheet},
JOURNAL = {Geoscientific Model Development},
VOLUME = {10},
YEAR = {2017},
NUMBER = {1},
PAGES = {255--270},
URL = {https://www.geosci-model-dev.net/10/255/2017/},
DOI = {10.5194/gmd-10-255-2017}
}
@techreport{insar2010b,
......@@ -49,13 +40,3 @@
YEAR = {2013},
PAGES = {1155--1174}
}
@article{noel15 ,
AUTHOR = {B. N{\"o}el and W. J. van de Berg and E. van Meijgaard and P. Kuipers Munneke and R. S. W. van de Wal and M. R. van den Broeke},
TITLE = {Evaluation of the updated regional climate model RACMO2.3: summer snowfall impact on the Greenland ice sheet},
JOURNAL = {The Cryosphere},
YEAR = {2015},
DOI = {10.5194/tc-9-1831-2015},
VOLUME = {9},
PAGES = {1831--1844}
}
CISM-Glissade example data
==========================
The data included here is CISM-Glissade input data from the Community Earth
System Model (CESM) v1.1 input data repo.
Usage
-----
Because this data is intended as input only, it is not recommended for
scientific analyses. However, if you do use any part of this data, please
include the following references when using this dataset:
Lipscomb, W. H., Price, S. F., Hoffman, M. J., Leguy, G. R., Bennett, A. R.,
Bradley, S. L., Evans, K. J., Fyke, J. G., Kennedy, J. H., Perego, M.,
Ranken, D. M., Sacks, W. J., Salinger, A. G., Vargo, L. J., and Worley, P. H.:
Description and Evaluation of the Community Ice Sheet Model (CISM) v2.1,
Geosci. Model Dev. Discuss., in review, 2018.
`doi:10.5194/gmd-2018-151 <https://doi.org/10.5194/gmd-2018-151>`_.
Joughin, I., B. Smith, I. Howat, and T. Scambos. 2010. MEaSUREs Greenland
Ice Sheet Velocity Map from InSAR Data, Version 1. Boulder, Colorado USA.
NASA National Snow and Ice Data Center Distributed Active Archive Center.
`doi:10.5067/MEASURES/CRYOSPHERE/nsidc-0478.001 <https://doi.org/10.5067/MEASURES/CRYOSPHERE/nsidc-0478.001>`_.
Joughin, I., Smith, B., Howat, I., Scambos, T., & Moon, T. (2010). Greenland
flow variability from ice-sheet-wide velocity mapping. Journal of Glaciology,
56(197), 415-430.
`doi:10.3189/002214310792447734 <https://doi.org/10.3189/002214310792447734>`_.
van Angelen, J.H., van den Broeke, M.R., Wouters, B. and Lenaerts, J. T. M.
Contemporary (1960–2012) Evolution of the Climate and Surface Mass Balance
of the Greenland Ice Sheet. Surv Geophys (2014) 35: 1155.
`doi:10.1007/s10712-013-9261-z <https://doi.org/10.1007/s10712-013-9261-z>`_.
These citations have been provided in BibTeX form in the ``gmd-2018-151.bib``
file with ``Lipscomb2018``, ``insar2010b``, ``insar2010a``, ``racmo20`` as the
citation keys, respectively. These references will be rendered in the
references section on the output website.
Rehost
------
The CISM input data was released to the public domain; see the
``CESM Data Management and Data Distribution Plan <http://www.cesm.ucar.edu/management/docs/data.mgt.plan.2011.pdf>``.
\ No newline at end of file
0% Loading or .
You are about to add 0 people to the discussion. Proceed with caution.
Finish editing this message first!
Please register or to comment