Example working with flux data

Size: px
Start display at page:

Download "Example working with flux data"

Transcription

1 . Example working with flux data All eddy covariance flux datasets that will be used in this course will be made available on the SwissFluxnet server. From there the data can be directly read into R without the need of copying the data to your own computer. The only requirement is that your computer is online. Here is an example from the year measured at Oensingen (time period May to end of July). The steps to read in the data and produce a first graphical overview over all data is presented here as an example. All other datasets can be used by adapting the R code to the various datasets. Working with gapfilled and partitioned flux data The measured flux data are not always of high quality (e.g. during rainfall events etc.), and sometimes there are no data at all due to instrument failures or power outages. To obtain daily or monthly (or annual) totals of fluxes, there is thus the issue how to deal with gaps in the data. The standard procedure is to use a model that partitions the measured NEE fluxes into the two main components assimilation (GPP, gross primary production), and ecosystem respiration (Reco). This model is then also used to fill the data gaps. Such a dataset is available from Oensingen. We re reading the file with the code below and plot NEE, GPP and Reco on one single plot. The meaning of each variable is described in Table GAPFILLED <- " gf <- read.csv(gapfilled) gf$timestamp <- as.posixlt(gf$timestamp, tz= UTC ) where the third line is optional and simply converts the text variable TIMESTAMP to a continuous time variable. Before executing the third line of R code, TIMESTAMP is a text variable (string, character string). Since it is formatted in the ISO format for date and time, we can directly convert it to a time variable in R. In this conversion we use the timezone information that we can pass to read.eddypro() via tz=.... Internally, the variable TIMESTAMP is now a numeric variable in seconds since -- :: UTC. By using as.posixlt() for the conversion we overlay this numeric variable with a list that contains the following members: sec ( : seconds), min ( : minutes), hour ( : hours), mday ( : day of the month), mon ( : months after the first of the year), year (years since ), wday ( day of the week, starting on Sunday), and yday ( : day of the year). A note of caution: the day of year (yday) starts at, whereas we normally start counting with, hence has to be added to get day of year (DOY). Also the month (mon) starts with for January, hence we have to add to be compatible with how most people count months. The reason why seconds (sec) can be up to instead of is the following: leap seconds can be inserted by the authorities up to a maximum of seconds in a minute, hence it is theoretically Table.: Contents of gapfilled and partitioned flux data Variable name TIMESTAMP NEEdespiked_WithUstar_f GPP_WithUstar_f Reco_WithUstar Description Timestamp Gap filled despiked net ecosystem exchange using ustar filtering Estimated gross primary production from Reichstein Method using ustar filtering Estimated ecosystem respiration from Reichstein Method using ustar filtering

2 possible to deal with leap seconds (although in reality this is an issue, which does not bother us in this course, however). An example for a first graphical display of NEE together with its partitioned components GPP and Reco for the second half of June : trange <- as.posixct(c(" ::", " ::"), tz= UTC ) yrange <- c(-25, 15) plot(gf$timestamp, gf$needespiked_withustar_f, type="l", col="steelblue", lwd=2, xlim=trange, ylim=yrange, ann=false, axes=false, frame=true) lines(gf$timestamp, -gf$gpp_withustar_f, col="green3") lines(gf$timestamp, gf$reco_withustar, col="orangered") abline(h=, lty=3) axis.posixct(1, gf$timestamp, at=seq(trange[1], trange[2], by="day"), format="%d %b") axis(2) title(ylab=expression("flux Component ("*mu*"mol m"^{-2}*" s"^{-1}*")")) legend("top", c("-gpp","nee","reco"), lwd=c(1,2,1), col=c("green3","steelblue","orangered"), bty="n") Flux Component (µmol m 2 s 1 ) GPP NEE Reco 15 Jun 17 Jun 19 Jun 21 Jun 23 Jun 25 Jun 27 Jun 29 Jun 1 Jul Note that the definition of GPP is to be a positive number, hence we changed the sign for this graph in such a way that GPP + Reco = NEE. In the gapfilled and partitioned dataset there are two sets of variables for NEE, GPP and Reco available. We used the version that passed a u threshold filter which removed measurements under low-turbulence conditions and filled these conditions with modeled data. The variables that passed a u threshold filter have the names NEEdespiked_WithUstar_f, GPP_WithUstar_f, and Reco_WithUstar in the R code above.

3 An example of a boxplot of the mean diel cycle of GPP (using positive values) is: select <- gf$timestamp >= trange[1] & gf$timestamp <= trange[2] boxplot(gpp_withustar_f ~ TIMESTAMP$hour, data=gf, subset=select, col="green3") title(ylab=expression("gpp ("*mu*"mol m"^{-2}*" s"^{-1}*")")) 3 GPP (µmol m 2 s 1 ) Importing meteorological data Our meteorological data are simple CSV files with only one specialty: the missing values are coded with NAN, whereas R uses NA. Importing is thus easy: METEOFILE <- " meteo <- read.csv(meteofile, as.is=true, na.string=c("na","nan")) meteo$timestamp <- as.posixlt(meteo$timestamp, tz= UTC ) where the third line is optional and simply converts the text variable TIMESTAMP to a continuous time variable. Since there are two variants of missing values present in our meteorological data files, we have to specify this in the second line of code with the argument na.string=c("na","nan"). An example for a first graphical display of air temperature as a time series can be done with: plot(meteo$timestamp, meteo$ta_avg_t1_2_1, type="l") Merging flux data with meteorological data If an analysis uses flux data as a function of meteorological conditions, then the two datasets need to be merged. This is done via a key variable, in our case TIMESTAMP. This however must be a sorted variable, and hence we have to convert TIMESTAMP back to the numeric values. In order not to destroy our nice datasets gf and meteo we first make a copy and then do the merging using the copies of the original datasets:

4 Table.: Variable naming convention for Grassland Sciences Group meteorological data (excerpt) GROUP LABEL DESCRIPTION UNIT (preferred) or FORMAT MET_SOIL G Soil Heat Flux W m-2 GWL Ground Water Level m SWC Soil Water Content % vol SDP Soil Dielectric Permitivity adimensional TS Soil Temperature C PH PH Probe numerical WP Water Potential kpa TIR Surface temperature measured by IR thermometer C MET_ATM PA Atmospheric Pressure kpa PA_PRF Atmospheric Pressure in Profile kpa PBLH Planetary Boundary Layer Height m RH Relative Humidity % RH_PRF Relative Humidity in Profile % T_SONIC SonicTemperature K TA Air Temperature C TA_PRF Air Temperature in Profile C VPD Vapor Pressure Deficit kpa FOG Fog presence VIS Visibility as recorded by PWD-11 at Chamau MET_WIND WD_VANE Wind Direction measured by Windvane from North WS_CUP Wind Speed measured by Cup Anemometer m s-1 WS_PROPELLER Scalar aggregated Wind Speed measured by propeller anemometer (e.g. Young) m s 1 WS_XXX_PRF Wind Speed PRF Sonic Anemometer, where XXX is the Sonic Model eg. HS5, HS1, CSAT3, METEK m s-1 WS_XXX_EC Wind Speed EC Sonic Anemometer, where XXX is the Sonic Model eg. HS5, HS1, CSAT3, METEK m s-1 MET_RAD ALB Albedo adimensional AW_IN All-wave incoming radiation without correction (Pyrradiometer) W m 2 AW_OUT All-wave outgoing radiation without correction (Pyrradiometer) W m 2 LW_IN Longwave Incoming Radiation with blackbody correction W m-2 LW_OUT Longwave Outgoing Radiation with blackbody correction W m-2 LW _IN_RAW Longwave Incoming Radiation without blackbody correction W m-2 LW _OUT_RAW Longwave Incoming Radiation without blackbody correction W m-2 NDVI Normalized Difference Vegetation Index adimensional NETRAD Net Radiation W m-2 PPFD_BC_IN Below Canopy PPFD, incoming µmol m -2 s -1 PPFD_DIF Diffuse PPFD µmol m -2 s -1 PPFD_IN Photosynthetic Photon Flux Density, incoming µmol m -2 s -1 PPFD_OUT Reflected PPFD µmol m -2 s -1 SW_DIF Shortwave Diffuse Radiation W m-2 SW_IN Shortwave Incoming Radiation W m-2 SW_OUT Shortwave Outgoing Radiation W m-2 MET_PRECIP D_SNOW Snow Depth/Height m PREC Total Precipiation mm PREC_RAIN rainfall; Liquid Precipitation mm PREC_SNOW Solid (Snow) Precipitation mm INSTRUMENTS AGC Automatic Gain Control LI-75 % SV_EC Supply Voltage EC system V SV_iDL Supply Voltage Logger V BV_EC Battery Voltage EC system V BV_iDL Internal Battery Voltage Logger V (location and replicate number is essential) SIGNAL_STRENGTH Signal Strength LI-72 % T_RAD Case Sensor Temperature of CNR1 / CNR4 etc. C T_iDL Logger Temperature C T_COOLER Temperature of gas cooler/equilibrator C UNISPEC Unispec - WEBCAM Webcam pictures Jpeg, Raw T_CELL Laser spectrometer cell temperature K P_CELL Laser spectrometer cell pressure Torr Q Mass flow slpm OSO On Site Operation adimensional TIMEKEEPING DATE date yyyy-mm-dd DAY 2 digit day of month dd DOY 3 digit day of year ddd HOUR 2 digit hour of the day HH MINUTE 2 digit minute of the day MM MONTH 2 digit month of year mm TIME time of day HH:MM TIMESTAMP general timestamp format yyyy-mm-dd HH:MM YEAR 4 digit year yyyy AGGREGATION AVG Average - CNT Suffix for counts - MAX Maximum - MIN Minimum - MIN Minimum - SD Standard deviation - SMP Sample - TOT Total of values over a given time interval (e.g. precipitation) - SCALAR_XXX Scalar averaging for windspeeds (in combination with one of the above) - VECTOR_XXX Vectorial averaging for windspeeds (in combination with one of the above)

5 flux <- gf met <- meteo flux$timestamp <- as.numeric(flux$timestamp) met$timestamp <- as.numeric(flux$timestamp) oensingen <- merge(flux, met, by="timestamp", all=true) oensingen$timestamp <- as.posixlt(oensingen$timestamp, tz= UTC, origin=" ::") To convert back the numeric TIMESTAMP into the date and time information that we d like to have, we have to explicitly tell R what a time of zero second means. This is done with the optional argument origin=" ::" in as.posixlt(). As an example we produce two boxplots with all data, one showing how NEE depends on air temperature during the day and one how NEE depends on air temperature during the night (more precisely: when it is not day ): day <- oensingen$ppfd_in_avg_m1_1_1_gapfill > 2 boxplot(oensingen$needespiked_withustar_f ~ round(oensingen$ta_avg_t1_2_1, ), subset=day, col="yellow2") abline(h=, lwd=.5) boxplot(oensingen$needespiked_withustar_f ~ round(oensingen$ta_avg_t1_2_1, ), subset=!day, col="gray5") abline(h=, lwd=.5) CO 2 Flux (µmol m 2 s 1 ) CO 2 Flux (µmol m 2 s 1 ) Air Temperature ( C) Air Temperature ( C) Plotting diel cycles Looking at median diel cycles and the inter-quartile range of fluxes and other environmental variables is often used to reduce the noise seen in flux data. Diel is the correct term for something related to a -hour period. Often this is also called diurnal cycle, but when using the term diurnal it is often unclear how this distinguishes from nocturnal since one meaning of diurnal is: when there was daylight (which is not hours on most places on the world). Similar to the boxplot function we have prepared a function plot.iqr() which only uses the inter-quartile ranges of the boxplot and ignores the outer % of the data when producing a diel cycle plot. Typically one aggregates over a month, two weeks, or a week for such a display. Using our oensingen data frame we can easily produce such a graph after having imported the new plot function with source("

6 As an example we plot the median NEE during the first week of July in our oensingen data frame with the commands select <- oensingen$timestamp >= as.posixct(" ::", tz= UTC )& oensingen$timestamp <= as.posixct(" ::", tz= UTC ) plot.iqr(needespiked_withustar_f ~ TIMESTAMP$hour, data=oensingen, subset=select, col="springgreen", ylim=c(-12,12)) title(ylab=expression("net CO"[2]*" Flux ("*mu*"mol m"^{-2}*" s"^{-1}*")")) title(main=expression("oensingen Net CO"[2]*" Flux 1-7 July 26"), col.main="steelblue", line=-1, adj=.92, cex.main=1.75) 1 Oensingen Net CO 2 Flux 1 7 July 26 Net CO 2 Flux (µmol m 2 s 1 ) The IQR (green band) is the same as the % confidence interval of the median. As you can see IRQ at midnight is much larger than during the day: in general, turbulence is much lower at night and sometimes becomes intermittent, which strongly affects the flux measured by an eddy covariance system. During the day, but also shortly before sunrise the IQR is much closer to the median than around midnight. The first half of the night is normally more turbulent and more variable than the second half of the night when turbulence has decayed to a good degree under fair-weather conditions, and the atmosphere is very calm. With sunrise, turbulence increases quickly again as the sun starts to warm the Earth s surface.

Gapfilling of EC fluxes

Gapfilling of EC fluxes Gapfilling of EC fluxes Pasi Kolari Department of Forest Sciences / Department of Physics University of Helsinki EddyUH training course Helsinki 23.1.2013 Contents Basic concepts of gapfilling Example

More information

Supplement of Upside-down fluxes Down Under: CO 2 net sink in winter and net source in summer in a temperate evergreen broadleaf forest

Supplement of Upside-down fluxes Down Under: CO 2 net sink in winter and net source in summer in a temperate evergreen broadleaf forest Supplement of Biogeosciences, 15, 3703 3716, 2018 https://doi.org/10.5194/bg-15-3703-2018-supplement Author(s) 2018. This work is distributed under the Creative Commons Attribution 4.0 License. Supplement

More information

Earth Systems Science Chapter 3

Earth Systems Science Chapter 3 Earth Systems Science Chapter 3 ELECTROMAGNETIC RADIATION: WAVES I. Global Energy Balance and the Greenhouse Effect: The Physics of the Radiation Balance of the Earth 1. Electromagnetic Radiation: waves,

More information

Database Code: MS001. Title:Meteorological data from benchmark stations at the Andrews Experimental Forest, 1957 to present.

Database Code: MS001. Title:Meteorological data from benchmark stations at the Andrews Experimental Forest, 1957 to present. Database Code: MS001 Title:Meteorological data from benchmark stations at the Andrews Experimental Forest, 1957 to present Abstract: A three-level hydro-climatological network for data monitoring was established

More information

Flux Tower Data Quality Analysis in the North American Monsoon Region

Flux Tower Data Quality Analysis in the North American Monsoon Region Flux Tower Data Quality Analysis in the North American Monsoon Region 1. Motivation The area of focus in this study is mainly Arizona, due to data richness and availability. Monsoon rains in Arizona usually

More information

GEOG415 Mid-term Exam 110 minute February 27, 2003

GEOG415 Mid-term Exam 110 minute February 27, 2003 GEOG415 Mid-term Exam 110 minute February 27, 2003 1 Name: ID: 1. The graph shows the relationship between air temperature and saturation vapor pressure. (a) Estimate the relative humidity of an air parcel

More information

SOUTH MOUNTAIN WEATHER STATION: REPORT FOR QUARTER 2 (APRIL JUNE) 2011

SOUTH MOUNTAIN WEATHER STATION: REPORT FOR QUARTER 2 (APRIL JUNE) 2011 SOUTH MOUNTAIN WEATHER STATION: REPORT FOR QUARTER 2 (APRIL JUNE) 2011 Prepared for ESTANCIA BASIN WATERSHED HEALTH, RESTORATION AND MONITORING STEERING COMMITTEE c/o CLAUNCH-PINTO SOIL AND WATER CONSERVATION

More information

Lecture notes: Interception and evapotranspiration

Lecture notes: Interception and evapotranspiration Lecture notes: Interception and evapotranspiration I. Vegetation canopy interception (I c ): Portion of incident precipitation (P) physically intercepted, stored and ultimately evaporated from vegetation

More information

A R C T E X Results of the Arctic Turbulence Experiments Long-term Monitoring of Heat Fluxes at a high Arctic Permafrost Site in Svalbard

A R C T E X Results of the Arctic Turbulence Experiments Long-term Monitoring of Heat Fluxes at a high Arctic Permafrost Site in Svalbard A R C T E X Results of the Arctic Turbulence Experiments www.arctex.uni-bayreuth.de Long-term Monitoring of Heat Fluxes at a high Arctic Permafrost Site in Svalbard 1 A R C T E X Results of the Arctic

More information

Regional offline land surface simulations over eastern Canada using CLASS. Diana Verseghy Climate Research Division Environment Canada

Regional offline land surface simulations over eastern Canada using CLASS. Diana Verseghy Climate Research Division Environment Canada Regional offline land surface simulations over eastern Canada using CLASS Diana Verseghy Climate Research Division Environment Canada The Canadian Land Surface Scheme (CLASS) Originally developed for the

More information

ROAD WEATHER INFORMATION SYSTEM DEVICE TESTING LEVEL C

ROAD WEATHER INFORMATION SYSTEM DEVICE TESTING LEVEL C Page 1 of 11 Date: Jan. 05, 2009 This procedure outlines Level C device test to be performed on Road Weather Information System. Level C device testing demonstrates that each device is fully operational

More information

A FIRST INVESTIGATION OF TEMPORAL ALBEDO DEVELOPMENT OVER A MAIZE PLOT

A FIRST INVESTIGATION OF TEMPORAL ALBEDO DEVELOPMENT OVER A MAIZE PLOT 1 A FIRST INVESTIGATION OF TEMPORAL ALBEDO DEVELOPMENT OVER A MAIZE PLOT Robert Beyer May 1, 2007 INTRODUCTION Albedo, also known as shortwave reflectivity, is defined as the ratio of incoming radiation

More information

The role of soil moisture in influencing climate and terrestrial ecosystem processes

The role of soil moisture in influencing climate and terrestrial ecosystem processes 1of 18 The role of soil moisture in influencing climate and terrestrial ecosystem processes Vivek Arora Canadian Centre for Climate Modelling and Analysis Meteorological Service of Canada Outline 2of 18

More information

ATMOS 5140 Lecture 1 Chapter 1

ATMOS 5140 Lecture 1 Chapter 1 ATMOS 5140 Lecture 1 Chapter 1 Atmospheric Radiation Relevance for Weather and Climate Solar Radiation Thermal Infrared Radiation Global Heat Engine Components of the Earth s Energy Budget Relevance for

More information

Microclimate. Climate & scale. Measuring a Microclimate Microclimates VARY. Microclimate factors. Aboveground environment.

Microclimate. Climate & scale. Measuring a Microclimate Microclimates VARY. Microclimate factors. Aboveground environment. Microenvironments Microenvironments Aboveground environment Belowground environment Edaphic factors soil environment Macroclimate Climate & scale Mesoclimate factors Temperature s VARY I. In Time Long

More information

Series tore word. Acknowledgements

Series tore word. Acknowledgements Series tore word p. xi Preface p. xiii Acknowledgements p. xv Disclaimer p. xvii Introduction p. 1 The instrumental age p. 2 Measurements and the climate record p. 2 Clouds and rainfall p. 3 Standardisation

More information

Local Meteorology. Changes In Geometry

Local Meteorology. Changes In Geometry Energy Balance Climate Local Meteorology Surface Mass And Energy Exchange Net Mass Balance Dynamic Response Effect on Landscape Changes In Geometry Water Flow Climate Local Meteorology Surface Mass And

More information

Chapter 2 Solar and Infrared Radiation

Chapter 2 Solar and Infrared Radiation Chapter 2 Solar and Infrared Radiation Chapter overview: Fluxes Energy transfer Seasonal and daily changes in radiation Surface radiation budget Fluxes Flux (F): The transfer of a quantity per unit area

More information

Land surface-atmosphere interactions and EOS validation in African savanna ecosystems

Land surface-atmosphere interactions and EOS validation in African savanna ecosystems Land surface-atmosphere interactions and EOS validation in African savanna ecosystems Niall Hanan Natural Resource Ecology Lab Colorado State University LTER/GTOS Carbon Flux Scaling Workshop Corvallis

More information

Characteristics of the night and day time atmospheric boundary layer at Dome C, Antarctica

Characteristics of the night and day time atmospheric boundary layer at Dome C, Antarctica Characteristics of the night and day time atmospheric boundary layer at Dome C, Antarctica S. Argentini, I. Pietroni,G. Mastrantonio, A. Viola, S. Zilitinchevich ISAC-CNR Via del Fosso del Cavaliere 100,

More information

ATMOSPHERIC ENERGY and GLOBAL TEMPERATURES. Physical Geography (Geog. 300) Prof. Hugh Howard American River College

ATMOSPHERIC ENERGY and GLOBAL TEMPERATURES. Physical Geography (Geog. 300) Prof. Hugh Howard American River College ATMOSPHERIC ENERGY and GLOBAL TEMPERATURES Physical Geography (Geog. 300) Prof. Hugh Howard American River College RADIATION FROM the SUN SOLAR RADIATION Primarily shortwave (UV-SIR) Insolation Incoming

More information

The inputs and outputs of energy within the earth-atmosphere system that determines the net energy available for surface processes is the Energy

The inputs and outputs of energy within the earth-atmosphere system that determines the net energy available for surface processes is the Energy Energy Balance The inputs and outputs of energy within the earth-atmosphere system that determines the net energy available for surface processes is the Energy Balance Electromagnetic Radiation Electromagnetic

More information

Weather observations from Tórshavn, The Faroe Islands

Weather observations from Tórshavn, The Faroe Islands Weather observations from Tórshavn, The Faroe Islands 1953-2014 - Observation data with description John Cappelen Copenhagen 2015 http://www.dmi.dk/fileadmin/rapporter/tr/tr15-09 page 1 of 14 Colophon

More information

Lecture 2: Global Energy Cycle

Lecture 2: Global Energy Cycle Lecture 2: Global Energy Cycle Planetary energy balance Greenhouse Effect Vertical energy balance Solar Flux and Flux Density Solar Luminosity (L) the constant flux of energy put out by the sun L = 3.9

More information

Land Surface Processes and Their Impact in Weather Forecasting

Land Surface Processes and Their Impact in Weather Forecasting Land Surface Processes and Their Impact in Weather Forecasting Andrea Hahmann NCAR/RAL with thanks to P. Dirmeyer (COLA) and R. Koster (NASA/GSFC) Forecasters Conference Summer 2005 Andrea Hahmann ATEC

More information

EVAPORATION GEOG 405. Tom Giambelluca

EVAPORATION GEOG 405. Tom Giambelluca EVAPORATION GEOG 405 Tom Giambelluca 1 Evaporation The change of phase of water from liquid to gas; the net vertical transport of water vapor from the surface to the atmosphere. 2 Definitions Evaporation:

More information

Electromagnetic Radiation. Radiation and the Planetary Energy Balance. Electromagnetic Spectrum of the Sun

Electromagnetic Radiation. Radiation and the Planetary Energy Balance. Electromagnetic Spectrum of the Sun Radiation and the Planetary Energy Balance Electromagnetic Radiation Solar radiation warms the planet Conversion of solar energy at the surface Absorption and emission by the atmosphere The greenhouse

More information

Trevor Lee Director, Buildings. Grant Edwards PhD Department of Environment and Geography

Trevor Lee Director, Buildings. Grant Edwards PhD Department of Environment and Geography Weather Affects Building Performance Simulation v Monitoring real time solar and coincident weather data for building optimisation and energy management Trevor Lee Director, Buildings Grant Edwards PhD

More information

Evapotranspiration. Here, liquid water on surfaces or in the very thin surface layer of the soil that evaporates directly to the atmosphere

Evapotranspiration. Here, liquid water on surfaces or in the very thin surface layer of the soil that evaporates directly to the atmosphere Evapotranspiration Evaporation (E): In general, the change of state from liquid to gas Here, liquid water on surfaces or in the very thin surface layer of the soil that evaporates directly to the atmosphere

More information

Understanding the Greenhouse Effect

Understanding the Greenhouse Effect EESC V2100 The Climate System spring 200 Understanding the Greenhouse Effect Yochanan Kushnir Lamont Doherty Earth Observatory of Columbia University Palisades, NY 1096, USA kushnir@ldeo.columbia.edu Equilibrium

More information

C1: From Weather to Climate Looking at Air Temperature Data

C1: From Weather to Climate Looking at Air Temperature Data C1: From Weather to Climate Looking at Air Temperature Data Purpose Students will work with short- and longterm air temperature data in order to better understand the differences between weather and climate.

More information

Purdue University Meteorological Tool (PUMET)

Purdue University Meteorological Tool (PUMET) Purdue University Meteorological Tool (PUMET) Date: 10/25/2017 Purdue University Meteorological Tool (PUMET) allows users to download and visualize a variety of global meteorological databases, such as

More information

The Ocean-Atmosphere System II: Oceanic Heat Budget

The Ocean-Atmosphere System II: Oceanic Heat Budget The Ocean-Atmosphere System II: Oceanic Heat Budget C. Chen General Physical Oceanography MAR 555 School for Marine Sciences and Technology Umass-Dartmouth MAR 555 Lecture 2: The Oceanic Heat Budget Q

More information

Atmospheric "greenhouse effect" - How the presence of an atmosphere makes Earth's surface warmer

Atmospheric greenhouse effect - How the presence of an atmosphere makes Earth's surface warmer Atmospheric "greenhouse effect" - How the presence of an atmosphere makes Earth's surface warmer Some relevant parameters and facts (see previous slide sets) (So/) 32 W m -2 is the average incoming solar

More information

Environmental Fluid Dynamics

Environmental Fluid Dynamics Environmental Fluid Dynamics ME EN 7710 Spring 2015 Instructor: E.R. Pardyjak University of Utah Department of Mechanical Engineering Definitions Environmental Fluid Mechanics principles that govern transport,

More information

A new lidar for water vapor and temperature measurements in the Atmospheric Boundary Layer

A new lidar for water vapor and temperature measurements in the Atmospheric Boundary Layer A new lidar for water vapor and temperature measurements in the Atmospheric Boundary Layer M. Froidevaux 1, I. Serikov 2, S. Burgos 3, P. Ristori 1, V. Simeonov 1, H. Van den Bergh 1, and M.B. Parlange

More information

DMI Report Weather observations from Tórshavn, The Faroe Islands Observation data with description

DMI Report Weather observations from Tórshavn, The Faroe Islands Observation data with description DMI Report 17-09 Weather observations from Tórshavn, The Faroe Islands 1953-2016 - Observation data with description John Cappelen Copenhagen 2017 http://www.dmi.dk/laer-om/generelt/dmi-publikationer/

More information

Evaluation of a New Land Surface Model for JMA-GSM

Evaluation of a New Land Surface Model for JMA-GSM Evaluation of a New Land Surface Model for JMA-GSM using CEOP EOP-3 reference site dataset Masayuki Hirai Takuya Sakashita Takayuki Matsumura (Numerical Prediction Division, Japan Meteorological Agency)

More information

Radiation, Sensible Heat Flux and Evapotranspiration

Radiation, Sensible Heat Flux and Evapotranspiration Radiation, Sensible Heat Flux and Evapotranspiration Climatological and hydrological field work Figure 1: Estimate of the Earth s annual and global mean energy balance. Over the long term, the incoming

More information

P1.34 MULTISEASONALVALIDATION OF GOES-BASED INSOLATION ESTIMATES. Jason A. Otkin*, Martha C. Anderson*, and John R. Mecikalski #

P1.34 MULTISEASONALVALIDATION OF GOES-BASED INSOLATION ESTIMATES. Jason A. Otkin*, Martha C. Anderson*, and John R. Mecikalski # P1.34 MULTISEASONALVALIDATION OF GOES-BASED INSOLATION ESTIMATES Jason A. Otkin*, Martha C. Anderson*, and John R. Mecikalski # *Cooperative Institute for Meteorological Satellite Studies, University of

More information

The Albedo of Junipers

The Albedo of Junipers The Albedo of Junipers Measured in Summer 29 at the Niederhorn, Switzerland Werner Eugster1, and Brigitta Ammann2 1 ETH Zu rich, Institute of Plant Sciences, CH 892 Zu rich, Switzerland 2 University of

More information

Table 1-2. TMY3 data header (line 2) 1-68 Data field name and units (abbreviation or mnemonic)

Table 1-2. TMY3 data header (line 2) 1-68 Data field name and units (abbreviation or mnemonic) 1.4 TMY3 Data Format The format for the TMY3 data is radically different from the TMY and TMY2 data.. The older TMY data sets used columnar or positional formats, presumably as a method of optimizing data

More information

Spatial Heterogeneity of Ecosystem Fluxes over Tropical Savanna in the Late Dry Season

Spatial Heterogeneity of Ecosystem Fluxes over Tropical Savanna in the Late Dry Season Spatial Heterogeneity of Ecosystem Fluxes over Tropical Savanna in the Late Dry Season Presentation by Peter Isaac, Lindsay Hutley, Jason Beringer and Lucas Cernusak Introduction What is the question?

More information

The Planetary Boundary Layer and Uncertainty in Lower Boundary Conditions

The Planetary Boundary Layer and Uncertainty in Lower Boundary Conditions The Planetary Boundary Layer and Uncertainty in Lower Boundary Conditions Joshua Hacker National Center for Atmospheric Research hacker@ucar.edu Topics The closure problem and physical parameterizations

More information

Range Cattle Research and Education Center January CLIMATOLOGICAL REPORT 2016 Range Cattle Research and Education Center.

Range Cattle Research and Education Center January CLIMATOLOGICAL REPORT 2016 Range Cattle Research and Education Center. 1 Range Cattle Research and Education Center January 2017 Research Report RC-2017-1 CLIMATOLOGICAL REPORT 2016 Range Cattle Research and Education Center Brent Sellers Weather conditions strongly influence

More information

Vermont Soil Climate Analysis Network (SCAN) sites at Lye Brook and Mount Mansfield

Vermont Soil Climate Analysis Network (SCAN) sites at Lye Brook and Mount Mansfield Vermont Soil Climate Analysis Network (SCAN) sites at Lye Brook and Mount Mansfield 13 Years of Soil Temperature and Soil Moisture Data Collection September 2000 September 2013 Soil Climate Analysis Network

More information

Understanding land-surfaceatmosphere. observations and models

Understanding land-surfaceatmosphere. observations and models Understanding land-surfaceatmosphere coupling in observations and models Alan K. Betts Atmospheric Research akbetts@aol.com MERRA Workshop AMS Conference, Phoenix January 11, 2009 Land-surface-atmosphere

More information

Average Weather In March For Fukuoka, Japan

Average Weather In March For Fukuoka, Japan Average Weather In March For Fukuoka, Japan Location This report describes the typical weather at the Fukuoka Airport (Fukuoka, Japan) weather station over the course of an average March. It is based on

More information

Torben Königk Rossby Centre/ SMHI

Torben Königk Rossby Centre/ SMHI Fundamentals of Climate Modelling Torben Königk Rossby Centre/ SMHI Outline Introduction Why do we need models? Basic processes Radiation Atmospheric/Oceanic circulation Model basics Resolution Parameterizations

More information

UWM Field Station meteorological data

UWM Field Station meteorological data University of Wisconsin Milwaukee UWM Digital Commons Field Station Bulletins UWM Field Station Spring 992 UWM Field Station meteorological data James W. Popp University of Wisconsin - Milwaukee Follow

More information

Blackbody Radiation. A substance that absorbs all incident wavelengths completely is called a blackbody.

Blackbody Radiation. A substance that absorbs all incident wavelengths completely is called a blackbody. Blackbody Radiation A substance that absorbs all incident wavelengths completely is called a blackbody. What's the absorption spectrum of a blackbody? Absorption (%) 100 50 0 UV Visible IR Wavelength Blackbody

More information

Lecture 5: Greenhouse Effect

Lecture 5: Greenhouse Effect Lecture 5: Greenhouse Effect S/4 * (1-A) T A 4 T S 4 T A 4 Wien s Law Shortwave and Longwave Radiation Selected Absorption Greenhouse Effect Global Energy Balance terrestrial radiation cooling Solar radiation

More information

Atmospheric "greenhouse effect" - How the presence of an atmosphere makes Earth's surface warmer

Atmospheric greenhouse effect - How the presence of an atmosphere makes Earth's surface warmer Atmospheric "greenhouse effect" - How the presence of an atmosphere makes Earth's surface warmer Some relevant parameters and facts (see previous slide sets) (So/) 32 W m -2 is the average incoming solar

More information

5-ESS1-1 Earth's Place in the Universe

5-ESS1-1 Earth's Place in the Universe 5-ESS1-1 Earth's Place in the Universe 5-ESS1-1. Support an argument that the apparent brightness of the sun and stars is due to their relative distances from the Earth. [Assessment Boundary: Assessment

More information

Mesoscale meteorological models. Claire L. Vincent, Caroline Draxl and Joakim R. Nielsen

Mesoscale meteorological models. Claire L. Vincent, Caroline Draxl and Joakim R. Nielsen Mesoscale meteorological models Claire L. Vincent, Caroline Draxl and Joakim R. Nielsen Outline Mesoscale and synoptic scale meteorology Meteorological models Dynamics Parametrizations and interactions

More information

Lecture 2: Global Energy Cycle

Lecture 2: Global Energy Cycle Lecture 2: Global Energy Cycle Planetary energy balance Greenhouse Effect Selective absorption Vertical energy balance Solar Flux and Flux Density Solar Luminosity (L) the constant flux of energy put out

More information

Solar Flux and Flux Density. Lecture 2: Global Energy Cycle. Solar Energy Incident On the Earth. Solar Flux Density Reaching Earth

Solar Flux and Flux Density. Lecture 2: Global Energy Cycle. Solar Energy Incident On the Earth. Solar Flux Density Reaching Earth Lecture 2: Global Energy Cycle Solar Flux and Flux Density Planetary energy balance Greenhouse Effect Selective absorption Vertical energy balance Solar Luminosity (L) the constant flux of energy put out

More information

Non-Acoustical Inputs

Non-Acoustical Inputs CHAPTER 18 Non-Acoustical Inputs This chapter discusses the use of external transducers and devices to provide non-acoustical data to the Model 831. Included are the following: 831-INT 831-INT Interface

More information

CEOP CAMP Chao Phraya River Reference Site

CEOP CAMP Chao Phraya River Reference Site CEOP CAMP Chao Phraya River Reference Site 1. IDENTIFICATION INFORMATION Metadata Identifier CEOP CAMP Chao Phraya River Reference Site CEOP_CAMP_Chao_Phraya_River20181214124634-DIAS20180903143952-en 2.

More information

Chapter 1 SEDNA Meteorological Data

Chapter 1 SEDNA Meteorological Data Chapter 1 SEDNA Meteorological Data Summary of meteorological observations There were three separate groups of meteorological data collected during the SEDNA field campaign. Firstly, a weather station

More information

Thermal Crop Water Stress Indices

Thermal Crop Water Stress Indices Page 1 of 12 Thermal Crop Water Stress Indices [Note: much of the introductory material in this section is from Jackson (1982).] The most established method for detecting crop water stress remotely is

More information

Remote Sensing in Meteorology: Satellites and Radar. AT 351 Lab 10 April 2, Remote Sensing

Remote Sensing in Meteorology: Satellites and Radar. AT 351 Lab 10 April 2, Remote Sensing Remote Sensing in Meteorology: Satellites and Radar AT 351 Lab 10 April 2, 2008 Remote Sensing Remote sensing is gathering information about something without being in physical contact with it typically

More information

The Arctic Energy Budget

The Arctic Energy Budget The Arctic Energy Budget The global heat engine [courtesy Kevin Trenberth, NCAR]. Differential solar heating between low and high latitudes gives rise to a circulation of the atmosphere and ocean that

More information

Sub-canopy. measurements in. Turbulenssista ja turbulenttisista pystyvoista mäntymetsän n latvuston alapuolella

Sub-canopy. measurements in. Turbulenssista ja turbulenttisista pystyvoista mäntymetsän n latvuston alapuolella Sub-canopy measurements in Hyytiälä,, SMEAR II station Samuli Launiainen s Master thesis Turbulenssista ja turbulenttisista pystyvoista mäntymetsän n latvuston alapuolella TKE-yht yhtälö latvuston sisäll

More information

SUBJECT AREA(S): science, math, solar power, visible light, ultraviolet (UV), infrared (IR), energy, Watt, atmospheric conditions

SUBJECT AREA(S): science, math, solar power, visible light, ultraviolet (UV), infrared (IR), energy, Watt, atmospheric conditions Our Place in Space Cosmic Rays AUTHOR: Jamie Repasky GRADE LEVEL(S): 3-5 SUBJECT AREA(S): science, math, solar power, visible light, ultraviolet (UV), infrared (IR), energy, Watt, atmospheric conditions

More information

Guide to Frontier Weather Graphics and Data Files

Guide to Frontier Weather Graphics and Data Files Guide to Frontier Weather Graphics and Data Files This document provides a listing of all weather graphics and data files that are available as of June 2012 along with file location paths on the Frontier

More information

Weather Stations. Evaluation copy. 9. Post live weather data on the school s web site for students, faculty and community.

Weather Stations. Evaluation copy. 9. Post live weather data on the school s web site for students, faculty and community. Weather Stations Computer P6 Collecting and analyzing weather data can be an important part of your Earth Science curriculum. It might even be an ongoing part of your entire course. A variety of activities

More information

1. GLACIER METEOROLOGY - ENERGY BALANCE

1. GLACIER METEOROLOGY - ENERGY BALANCE Summer School in Glaciology McCarthy, Alaska, 5-15 June 2018 Regine Hock Geophysical Institute, University of Alaska, Fairbanks 1. GLACIER METEOROLOGY - ENERGY BALANCE Ice and snow melt at 0 C, but this

More information

Energy Balance and Temperature. Ch. 3: Energy Balance. Ch. 3: Temperature. Controls of Temperature

Energy Balance and Temperature. Ch. 3: Energy Balance. Ch. 3: Temperature. Controls of Temperature Energy Balance and Temperature 1 Ch. 3: Energy Balance Propagation of Radiation Transmission, Absorption, Reflection, Scattering Incoming Sunlight Outgoing Terrestrial Radiation and Energy Balance Net

More information

Energy Balance and Temperature

Energy Balance and Temperature Energy Balance and Temperature 1 Ch. 3: Energy Balance Propagation of Radiation Transmission, Absorption, Reflection, Scattering Incoming Sunlight Outgoing Terrestrial Radiation and Energy Balance Net

More information

A Case Study on Diurnal Boundary Layer Evolution

A Case Study on Diurnal Boundary Layer Evolution UNIVERSITY OF OKLAHOMA A Case Study on Diurnal Boundary Layer Evolution Meteorological Measurement Systems Fall 2010 Jason Godwin 12/9/2010 Lab partners: Sam Irons, Charles Kuster, Nathan New, and Stefan

More information

Numerical simulation of marine stratocumulus clouds Andreas Chlond

Numerical simulation of marine stratocumulus clouds Andreas Chlond Numerical simulation of marine stratocumulus clouds Andreas Chlond Marine stratus and stratocumulus cloud (MSC), which usually forms from 500 to 1000 m above the ocean surface and is a few hundred meters

More information

Methodology for the creation of meteorological datasets for Local Air Quality modelling at airports

Methodology for the creation of meteorological datasets for Local Air Quality modelling at airports Methodology for the creation of meteorological datasets for Local Air Quality modelling at airports Nicolas DUCHENE, James SMITH (ENVISA) Ian FULLER (EUROCONTROL Experimental Centre) About ENVISA Noise

More information

Flux Tower Data Quality Analysis. Dea Doklestic

Flux Tower Data Quality Analysis. Dea Doklestic Flux Tower Data Quality Analysis Dea Doklestic Motivation North American Monsoon (NAM) Seasonal large scale reversal of atmospheric circulation Occurs during the summer months due to a large temperature

More information

1 Introduction. Station Type No. Synoptic/GTS 17 Principal 172 Ordinary 546 Precipitation

1 Introduction. Station Type No. Synoptic/GTS 17 Principal 172 Ordinary 546 Precipitation Use of Automatic Weather Stations in Ethiopia Dula Shanko National Meteorological Agency(NMA), Addis Ababa, Ethiopia Phone: +251116639662, Mob +251911208024 Fax +251116625292, Email: Du_shanko@yahoo.com

More information

Friday 8 September, :00-4:00 Class#05

Friday 8 September, :00-4:00 Class#05 Friday 8 September, 2017 3:00-4:00 Class#05 Topics for the hour Global Energy Budget, schematic view Solar Radiation Blackbody Radiation http://www2.gi.alaska.edu/~bhatt/teaching/atm694.fall2017/ notes.html

More information

Climate & Earth System Science. Introduction to Meteorology & Climate. Chapter 05 SOME OBSERVING INSTRUMENTS. Instrument Enclosure.

Climate & Earth System Science. Introduction to Meteorology & Climate. Chapter 05 SOME OBSERVING INSTRUMENTS. Instrument Enclosure. Climate & Earth System Science Introduction to Meteorology & Climate MAPH 10050 Peter Lynch Peter Lynch Meteorology & Climate Centre School of Mathematical Sciences University College Dublin Meteorology

More information

Convective Fluxes: Sensible and Latent Heat Convective Fluxes Convective fluxes require Vertical gradient of temperature / water AND Turbulence ( mixing ) Vertical gradient, but no turbulence: only very

More information

West Henrico Co. - Glen Allen Weather Center N W. - Koontz

West Henrico Co. - Glen Allen Weather Center N W. - Koontz PAGE #1 Oct 2017 West Henrico Co. - Glen Allen Weather Center 37.6554 N. 77.5692 W. - Koontz 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 Oct Week TEMPERATURE F TEMPERATURE F SKY PRECIPITATION FROZ.

More information

Towards the Fourth GEWEX Atmospheric Boundary Layer Model Inter-Comparison Study (GABLS4)

Towards the Fourth GEWEX Atmospheric Boundary Layer Model Inter-Comparison Study (GABLS4) Towards the Fourth GEWEX Atmospheric Boundary Layer Model Inter-Comparison Study (GABLS4) Timo Vihma 1, Tiina Nygård 1, Albert A.M. Holtslag 2, Laura Rontu 1, Phil Anderson 3, Klara Finkele 4, and Gunilla

More information

Quality Control of the National RAWS Database for FPA Timothy J Brown Beth L Hall

Quality Control of the National RAWS Database for FPA Timothy J Brown Beth L Hall Quality Control of the National RAWS Database for FPA Timothy J Brown Beth L Hall Desert Research Institute Program for Climate, Ecosystem and Fire Applications May 2005 Project Objectives Run coarse QC

More information

New Instruments from GRIMM

New Instruments from GRIMM New Instruments from GRIMM Markus Pesch Symposium at Stockholm, 01.11.2016 1 Outline Motivation for new Aerosol measurement devices Objectives for measurements of particle number and sizes GRIMM EDM 665

More information

RESEARCH METHODOLOGY

RESEARCH METHODOLOGY III. RESEARCH METHODOLOGY 3.1 Time and Location This research has been conducted in period March until October 2010. Location of research is over Sumatra terrain. Figure 3.1 show the area of interest of

More information

P2.1 DIRECT OBSERVATION OF THE EVAPORATION OF INTERCEPTED WATER OVER AN OLD-GROWTH FOREST IN THE EASTERN AMAZON REGION

P2.1 DIRECT OBSERVATION OF THE EVAPORATION OF INTERCEPTED WATER OVER AN OLD-GROWTH FOREST IN THE EASTERN AMAZON REGION P2.1 DIRECT OBSERVATION OF THE EVAPORATION OF INTERCEPTED WATER OVER AN OLD-GROWTH FOREST IN THE EASTERN AMAZON REGION Matthew J. Czikowsky (1)*, David R. Fitzjarrald (1), Osvaldo L. L. Moraes (2), Ricardo

More information

Lecture # 04 January 27, 2010, Wednesday Energy & Radiation

Lecture # 04 January 27, 2010, Wednesday Energy & Radiation Lecture # 04 January 27, 2010, Wednesday Energy & Radiation Kinds of energy Energy transfer mechanisms Radiation: electromagnetic spectrum, properties & principles Solar constant Atmospheric influence

More information

Average Weather For Coeur d'alene, Idaho, USA

Average Weather For Coeur d'alene, Idaho, USA Average Weather For Coeur d'alene, Idaho, USA Information courtesy of weatherspark.com Location This report describes the typical weather at the Coeur d'alene Air Terminal (Coeur d'alene, Idaho, United

More information

2016 EXPLANATION OF OBSERVATIONS BY REFERENCE NUMBER

2016 EXPLANATION OF OBSERVATIONS BY REFERENCE NUMBER S 2016 EXPLANATION OF OBSERVATIONS BY REFERENCE NUMBER tation was moved to 10905 Virginia Forest Court Glen Allen, Virginia in Henrico County on June 10, 2008. Latitude 37 39' 18.87" (37.65537) Longitude

More information

Memorandum. Höfundur: Halldór Björnsson, Nikolai Nawri, Guðrún Elín Jóhannsdóttir and Davíð Egilson.

Memorandum. Höfundur: Halldór Björnsson, Nikolai Nawri, Guðrún Elín Jóhannsdóttir and Davíð Egilson. EBV-007-1 Memorandum Date: 17.12.2015 Title: Estimation of evaporation and precipitation in Iceland Höfundur: Halldór Björnsson, Nikolai Nawri, Guðrún Elín Jóhannsdóttir and Davíð Egilson. Ref: 2015-69

More information

Snow II: Snowmelt and energy balance

Snow II: Snowmelt and energy balance Snow II: Snowmelt and energy balance The are three basic snowmelt phases 1) Warming phase: Absorbed energy raises the average snowpack temperature to a point at which the snowpack is isothermal (no vertical

More information

Surface Energy Budget

Surface Energy Budget Surface Energy Budget Please read Bonan Chapter 13 Energy Budget Concept For any system, (Energy in) (Energy out) = (Change in energy) For the land surface, Energy in =? Energy Out =? Change in energy

More information

MxVision WeatherSentry Web Services Content Guide

MxVision WeatherSentry Web Services Content Guide MxVision WeatherSentry Web Services Content Guide July 2014 DTN 11400 Rupp Drive Minneapolis, MN 55337 00.1.952.890.0609 This document and the software it describes are copyrighted with all rights reserved.

More information

of Nebraska - Lincoln

of Nebraska - Lincoln University of Nebraska - Lincoln DigitalCommons@University of Nebraska - Lincoln Civil Engineering Faculty Publications Civil Engineering 2014 On the Equality Assumption of Latent and Sensible Heat Energy

More information

Global Climate Change

Global Climate Change Global Climate Change Definition of Climate According to Webster dictionary Climate: the average condition of the weather at a place over a period of years exhibited by temperature, wind velocity, and

More information

Laboratory Exercise #7 - Introduction to Atmospheric Science: The Seasons and Daily Weather

Laboratory Exercise #7 - Introduction to Atmospheric Science: The Seasons and Daily Weather Laboratory Exercise #7 - Introduction to Atmospheric Science: The Seasons and Daily Weather page - Section A - Introduction: This lab consists of questions dealing with atmospheric science. We beginning

More information

Course Outline. About Me. Today s Outline CLIMATE SCIENCE A SHORT COURSE AT THE ROYAL INSTITUTION. 1. Current climate. 2.

Course Outline. About Me. Today s Outline CLIMATE SCIENCE A SHORT COURSE AT THE ROYAL INSTITUTION. 1. Current climate. 2. Course Outline 1. Current climate 2. Changing climate 3. Future climate change 4. Consequences COURSE CLIMATE SCIENCE A SHORT COURSE AT THE ROYAL INSTITUTION DATE 4 JUNE 2014 LEADER 5. Human impacts 6.

More information

Meteorological QA/QC

Meteorological QA/QC Meteorological QA/QC Howard Schmidt, MS, MBA US EPA Region 3 Air Protection Division Air Monitoring Quality Assurance Workshop June 26, 2014 Overview Current state of R3 agency met monitoring Why? Where?

More information

Northern New England Climate: Past, Present, and Future. Basic Concepts

Northern New England Climate: Past, Present, and Future. Basic Concepts Northern New England Climate: Past, Present, and Future Basic Concepts Weather instantaneous or synoptic measurements Climate time / space average Weather - the state of the air and atmosphere at a particular

More information

Temporal and spatial variations in radiation and energy fluxes across Lake Taihu

Temporal and spatial variations in radiation and energy fluxes across Lake Taihu Temporal and spatial variations in radiation and energy fluxes across Lake Taihu Wang Wei YNCenter Video Conference May 10, 2012 Outline 1. Motivation 2. Hypothesis 3. Methodology 4. Preliminary results

More information

Conceptual Understandings for K-2 Teachers

Conceptual Understandings for K-2 Teachers AFK12SE/NGSS Strand Disciplinary Core Ideas ESS1: Earth s Place in the Universe What is the universe, and what is Earth s place in it? ESS1. A: The Universe and Its Stars What is the universe, and what

More information

Lecture 5: Greenhouse Effect

Lecture 5: Greenhouse Effect /30/2018 Lecture 5: Greenhouse Effect Global Energy Balance S/ * (1-A) terrestrial radiation cooling Solar radiation warming T S Global Temperature atmosphere Wien s Law Shortwave and Longwave Radiation

More information