Practical 12: Geostatistics

Size: px
Start display at page:

Download "Practical 12: Geostatistics"

Transcription

1 Practical 12: Geostatistics This practical will introduce basic tools for geostatistics in R. You may need first to install and load a few packages. The packages sp and lattice contain useful function and structures for the management of spatially distributed data. The package gstat provides tools for the analysis of geostatistical data. Meuse data We consider a classical dataset in geostatistics which is avaliable in the sp package. The data set consists of 155 samples of top soil heavy metal concentrations (ppm), along with a number of soil and landscape variables. The samples were collected in a flood plain of the river Meuse, near the village Stein (The Netherlands). library(sp) data(meuse) head(meuse) coordinates(meuse) <- c('x','y') You can see that the dataset reports the geographical coordinates (x and y) as well as the measurements associated to each data point. The coordinates function above instructs R about which column correspond to the coordinates; this changes the nature of the dataset, which is now treated as a SpatialPointsDataFrame, i.e. a data frame which associated spatial location. This is one of the data structure that are available in R for spatial data and it is provided by the package sp. If we now try to plot the data, R gives as the locations of the data point. plot(meuse) Other types of plots are avalable to explore the other variables in the data set, for example the quantity of zinc in the soil: spplot(meuse,'zinc',do.log=true) bubble(meuse,'zinc',do.log=true) Can you interpret the output of this plot? (Check the help if needed) While the SpatialPointsDataFrame structure is usually preferred for geostatistical data, other types of structure are available in the sp package. For example, the river borders can be described (and plotted) using SpatialPolygons and plotted together with the meuse dataset for better data visualisation. 1

2 data(meuse.riv) meuse.lst <- list(polygons(list(polygon(meuse.riv)), "meuse.riv")) meuse.sr <- SpatialPolygons(meuse.lst) plot(meuse.sr, col = "grey") plot(meuse, add = TRUE) Looking at the geography, can you suggest any interpretation for the variation in the quantity of zinc? To explore the spatial dependence, we can first plot the semivariogram cloud, i.e. the empirical semivarogram for all the distances observed in the dataset (we are transforming the quantity of zinc on the log scale first). library(gstat) cld <- variogram(log(zinc) ~ 1, data=meuse, cloud = TRUE) plot(cld, main = 'Semivariogram cloud') or better the binned semivariogram. svgm <- variogram(log(zinc) ~ 1, width=100, data=meuse) plot(svgm, main = 'Binned Semivariogram',pch=19) The parameter width controls the bandwidth, try to change the value and see what happens. It is also possible to include covariates in the formula (in place of 1), to account for a drift term in the model. Does the plot of the binned semivariogram suggests the presence of spatial dependence? If yes, does the process appear to be (second order) stationary? 2

3 We can then fit a parametric semivariogram model to the binned sample semivariogram, via weighted least squares, using the vgm and fit.variogram functions. The vgm function provides the expressions for a variety of parametric semivariograms models. You can type vgm() for a complete list. Let us now fit a spherical semivariogram. sph.model<-fit.variogram(svgm, vgm(psill=0.6, "Sph", range=800, nugget=0.2)) plot(svgm,sph.model) sph.model # model psill range # 1 Nug # 2 Sph We needed to specify initial values for the model parameters in the optimization algorithm: the partial sill (0.6), the range (800) and the nugget (0.2). Reasonable choices for these starting values can be obtained looking at the binned variogram plot. In particular, the algorithm may fail if you select completely unreasonable choices for the (effective) range. The estimated nugget is ˆτ 2 = , estimated sill is = (psill stands for partial sill, which are components that make up the sill) and estimated range is â 2 = 933. Try now to fit an exponential semivariogram model. exp.model<-fit.variogram(svgm, vgm(0.6, "Exp", 800, 0.2)) plot(svgm,exp.model) exp.model # model psill range # 1 Nug # 2 Exp What are the estimated nugget, sill and effective range? binned semivariogram? Which one better fits the Kriging Let us consider again the Meuse dataset, now with the aim of reconstructing a smooth surface of the (logarithm of) lead concentration. Let us start by assuming the process is stationary and follow the spherical semivariogram model as we have seen above. There are two alternative ways to obtain the kriging prediction, by using the krige function or by fitting a model with gstat and then use the predict option for that model. Both are doing the same mathematical operations (actually, krige is just a wrapper for gstat and predict ). Let us consider the simple kriging prediction first (we pretend to know the true mean, even if we estimate it from the data). 3

4 # grid for prediction data(meuse.grid) coordinates(meuse.grid) <- c('x','y') meuse.grid <- as(meuse.grid, 'SpatialPixelsDataFrame') beta.hat <- mean(log(meuse$lead)) # assumed known #simple kriging prediction lz.sk <- krige(log(lead)~1, meuse, meuse.grid, sph.model, beta = beta.hat) plot(lz.sk) # the spplot gives you prediction # variance as well (although the colorscale is not great) spplot(lz.sk, col.regions=bpy.colors(n = 100, cutoff.tails = 0.2)) The ordinary kriging prediction can be easily obtained by not providing a mean value: ## ordinary kriging lz.ok <- krige(log(lead)~1, meuse, meuse.grid, sph.model) plot(lz.ok) Looking at the concentration of lead and the position of the observation with respect to the river, we see that the lead concentration appears to change with the distance from the river (which is one of the parameter in the dataset, dist). Let us consider first the scatterplot of log(lead) and dist. plot(meuse$dist,log(meuse$lead)) This suggests to fit a universal kriging model where the mean is a function of the distance from the river (possibly a square root, looking at the scatterplot). 4

5 lead.gstat <- gstat(id = 'lead', formula = log(lead) ~ sqrt(dist), data = meuse, model=sph.model) lead.gstat lead.uk <- predict(lead.gstat, newdata = meuse.grid) plot(lead.uk) The gstat function automatically (and iteratively) estimates the drift, the residuals and the residual variogram, then the predict function compute the universal kriging predictor for the new locations. It is also possible to get an evaluation of the drift using the option BLUE=TRUE: 5

6 lead.trend<-predict(lead.gstat,newdata = meuse.grid,blue=true) plot(lead.trend, main='drift') You can also get the predicted value of the field or the estimated trend in a specific new observation (but note that you need to provide also the correspondent value for the predictors in the non-stationary mean model, in this case the distance from the river) new_obs<-data.frame(x=179660,y=331860,dist= ) coordinates(new_obs)<-c('x','y') predict(lead.gstat,newdata=new_obs) # [using universal kriging] # coordinates lead.pred lead.var # 1 (179660, ) predict(lead.gstat,newdata=new_obs,blue=true) # [generalized least squares trend estimation] # coordinates lead.pred lead.var # 1 (179660, ) Radioactivity data The file radio reports the information on 158 control units in the area around a nuclear power plant. At each site, available data consist of: radioactivity levels [Bq], longitude [Long], latitude [Lat] and type of soil [Soil], a factor with two levels, U, urban, and V, vegetation]. filepath <- " filename <- "radioactivity" radio <- read.table(paste0(filepath, filename), header=t) head(radio) coordinates(radio) <- c('long', 'Lat') spplot(radio, 'Soil') spplot(radio, 'Bq') 6

7 Explore the data graphically and comment on how radioactivity and type of soil correlate in the space. Fit a linear model with the soil as predictor, assuming for the errors a spherical semivariogram. Try to use a semivarogram model both with and without nugget. Which one is preferable? Write down the algebraic form of the fitted model. What are the estimates of the semivariogram parameters? What are the estimates of the coefficients of the linear model (hint: think to how they related to the predicted drift)? Using the chosen model, predict the radioactivity level at the location (Long = 78.59, Lat = 35.34), which is a parking lot. Estimate the variance of prediction error at the same location. 7

Practical 12: Geostatistics

Practical 12: Geostatistics Practical 12: Geostatistics This practical will introduce basic tools for geostatistics in R. You may need first to install and load a few packages. The packages sp and lattice contain useful function

More information

GRAD6/8104; INES 8090 Spatial Statistic Spring 2017

GRAD6/8104; INES 8090 Spatial Statistic Spring 2017 Lab #4 Semivariogram and Kriging (Due Date: 04/04/2017) PURPOSES 1. Learn to conduct semivariogram analysis and kriging for geostatistical data 2. Learn to use a spatial statistical library, gstat, in

More information

Data Break 8: Kriging the Meuse RiverBIOS 737 Spring 2004 p.1/27

Data Break 8: Kriging the Meuse RiverBIOS 737 Spring 2004 p.1/27 Data Break 8: Kriging the Meuse River BIOS 737 Spring 2004 Data Break 8: Kriging the Meuse RiverBIOS 737 Spring 2004 p.1/27 Meuse River: Reminder library(gstat) Data included in gstat library. data(meuse)

More information

University of California, Los Angeles Department of Statistics

University of California, Los Angeles Department of Statistics University of California, Los Angeles Department of Statistics Statistics C173/C273 Instructor: Nicolas Christou Working with gstat - An example We will use the data from the Meuse (Dutch Maas) river.

More information

REN R 690 Lab Geostatistics Lab

REN R 690 Lab Geostatistics Lab REN R 690 Lab Geostatistics Lab The objective of this lab is to try out some basic geostatistical tools with R. Geostatistics is used primarily in the resource and environmental areas for estimation, uncertainty

More information

Introduction to Spatial Analysis in R

Introduction to Spatial Analysis in R Introduction to Spatial Analysis in R Summer 2014 They don t love you like I love you R, ArcGIS, and Making Maps Map made in ArcGIS Map made in R R, ArcGIS, and Making Maps Spatial Analysis for this map:

More information

Introduction to applied geostatistics. Short version. Overheads

Introduction to applied geostatistics. Short version. Overheads Introduction to applied geostatistics Short version Overheads Department of Earth Systems Analysis International Institute for Geo-information Science & Earth Observation (ITC)

More information

University of California, Los Angeles Department of Statistics. Geostatistical data: variogram and kriging

University of California, Los Angeles Department of Statistics. Geostatistical data: variogram and kriging University of California, Los Angeles Department of Statistics Statistics 403 Instructor: Nicolas Christou Geostatistical data: variogram and kriging Let Z(s) and Z(s + h) two random variables at locations

More information

Chapter 1. Summer School GEOSTAT 2014, Spatio-Temporal Geostatistics,

Chapter 1. Summer School GEOSTAT 2014, Spatio-Temporal Geostatistics, Chapter 1 Summer School GEOSTAT 2014, Geostatistics, 2014-06-19 sum- http://ifgi.de/graeler Institute for Geoinformatics University of Muenster 1.1 Spatial Data From a purely statistical perspective, spatial

More information

Point patterns. The average number of events (the intensity, (s)) is homogeneous

Point patterns. The average number of events (the intensity, (s)) is homogeneous Point patterns Consider the point process {Z(s) :s 2 D R 2 }.Arealization of this process consists of a pattern (arrangement) of points in D. (D is a random set.) These points are called the events of

More information

PAPER 206 APPLIED STATISTICS

PAPER 206 APPLIED STATISTICS MATHEMATICAL TRIPOS Part III Thursday, 1 June, 2017 9:00 am to 12:00 pm PAPER 206 APPLIED STATISTICS Attempt no more than FOUR questions. There are SIX questions in total. The questions carry equal weight.

More information

Introduction to Geostatistics

Introduction to Geostatistics Introduction to Geostatistics Abhi Datta 1, Sudipto Banerjee 2 and Andrew O. Finley 3 July 31, 2017 1 Department of Biostatistics, Bloomberg School of Public Health, Johns Hopkins University, Baltimore,

More information

Gridding of precipitation and air temperature observations in Belgium. Michel Journée Royal Meteorological Institute of Belgium (RMI)

Gridding of precipitation and air temperature observations in Belgium. Michel Journée Royal Meteorological Institute of Belgium (RMI) Gridding of precipitation and air temperature observations in Belgium Michel Journée Royal Meteorological Institute of Belgium (RMI) Gridding of meteorological data A variety of hydrologic, ecological,

More information

Applied geostatistics Exercise 6 Assessing the quality of spatial predictions Geostatistical simulation

Applied geostatistics Exercise 6 Assessing the quality of spatial predictions Geostatistical simulation Applied geostatistics Exercise 6 Assessing the quality of spatial predictions Geostatistical simulation D G Rossiter University of Twente, Faculty of Geo-Information Science & Earth Observation (ITC) June

More information

Analysing Spatial Data in R: Worked example: geostatistics

Analysing Spatial Data in R: Worked example: geostatistics Analysing Spatial Data in R: Worked example: geostatistics Roger Bivand Department of Economics Norwegian School of Economics and Business Administration Bergen, Norway 17 April 2007 Worked example: geostatistics

More information

What s for today. All about Variogram Nugget effect. Mikyoung Jun (Texas A&M) stat647 lecture 4 September 6, / 17

What s for today. All about Variogram Nugget effect. Mikyoung Jun (Texas A&M) stat647 lecture 4 September 6, / 17 What s for today All about Variogram Nugget effect Mikyoung Jun (Texas A&M) stat647 lecture 4 September 6, 2012 1 / 17 What is the variogram? Let us consider a stationary (or isotropic) random field Z

More information

Exploring the World of Ordinary Kriging. Dennis J. J. Walvoort. Wageningen University & Research Center Wageningen, The Netherlands

Exploring the World of Ordinary Kriging. Dennis J. J. Walvoort. Wageningen University & Research Center Wageningen, The Netherlands Exploring the World of Ordinary Kriging Wageningen University & Research Center Wageningen, The Netherlands July 2004 (version 0.2) What is? What is it about? Potential Users a computer program for exploring

More information

Introduction to Spatial Data and Models

Introduction to Spatial Data and Models Introduction to Spatial Data and Models Sudipto Banerjee 1 and Andrew O. Finley 2 1 Biostatistics, School of Public Health, University of Minnesota, Minneapolis, Minnesota, U.S.A. 2 Department of Forestry

More information

Influence of parameter estimation uncertainty in Kriging: Part 2 Test and case study applications

Influence of parameter estimation uncertainty in Kriging: Part 2 Test and case study applications Hydrology and Earth System Influence Sciences, of 5(), parameter 5 3 estimation (1) uncertainty EGS in Kriging: Part Test and case study applications Influence of parameter estimation uncertainty in Kriging:

More information

11/8/2018. Spatial Interpolation & Geostatistics. Kriging Step 1

11/8/2018. Spatial Interpolation & Geostatistics. Kriging Step 1 (Z i Z j ) 2 / 2 (Z i Zj) 2 / 2 Semivariance y 11/8/2018 Spatial Interpolation & Geostatistics Kriging Step 1 Describe spatial variation with Semivariogram Lag Distance between pairs of points Lag Mean

More information

Introduction to Spatial Data and Models

Introduction to Spatial Data and Models Introduction to Spatial Data and Models Sudipto Banerjee 1 and Andrew O. Finley 2 1 Department of Forestry & Department of Geography, Michigan State University, Lansing Michigan, U.S.A. 2 Biostatistics,

More information

Gstat: multivariable geostatistics for S

Gstat: multivariable geostatistics for S DSC 2003 Working Papers (Draft Versions) http://www.ci.tuwien.ac.at/conferences/dsc-2003/ Gstat: multivariable geostatistics for S Edzer J. Pebesma Dept. of Physical Geography, Utrecht University, P.O.

More information

Open Source Geospatial Software - an Introduction Spatial Programming with R

Open Source Geospatial Software - an Introduction Spatial Programming with R Open Source Geospatial Software - an Introduction Spatial Programming with R V. Gómez-Rubio Based on some course notes by Roger S. Bivand Departamento de Matemáticas Universidad de Castilla-La Mancha 17-18

More information

Spatial Interpolation & Geostatistics

Spatial Interpolation & Geostatistics (Z i Z j ) 2 / 2 Spatial Interpolation & Geostatistics Lag Lag Mean Distance between pairs of points 1 y Kriging Step 1 Describe spatial variation with Semivariogram (Z i Z j ) 2 / 2 Point cloud Map 3

More information

Gstat: Multivariable Geostatistics for S

Gstat: Multivariable Geostatistics for S New URL: http://www.r-project.org/conferences/dsc-2003/ Proceedings of the 3rd International Workshop on Distributed Statistical Computing (DSC 2003) March 20 22, Vienna, Austria ISSN 1609-395X Kurt Hornik,

More information

Introduction. Semivariogram Cloud

Introduction. Semivariogram Cloud Introduction Data: set of n attribute measurements {z(s i ), i = 1,, n}, available at n sample locations {s i, i = 1,, n} Objectives: Slide 1 quantify spatial auto-correlation, or attribute dissimilarity

More information

University of California, Los Angeles Department of Statistics. Universal kriging

University of California, Los Angeles Department of Statistics. Universal kriging University of California, Los Angeles Department of Statistics Statistics C173/C273 Instructor: Nicolas Christou Universal kriging The Ordinary Kriging (OK) that was discussed earlier is based on the constant

More information

Types of Spatial Data

Types of Spatial Data Spatial Data Types of Spatial Data Point pattern Point referenced geostatistical Block referenced Raster / lattice / grid Vector / polygon Point Pattern Data Interested in the location of points, not their

More information

Spatial Data Analysis in Archaeology Anthropology 589b. Kriging Artifact Density Surfaces in ArcGIS

Spatial Data Analysis in Archaeology Anthropology 589b. Kriging Artifact Density Surfaces in ArcGIS Spatial Data Analysis in Archaeology Anthropology 589b Fraser D. Neiman University of Virginia 2.19.07 Spring 2007 Kriging Artifact Density Surfaces in ArcGIS 1. The ingredients. -A data file -- in.dbf

More information

The ProbForecastGOP Package

The ProbForecastGOP Package The ProbForecastGOP Package April 24, 2006 Title Probabilistic Weather Field Forecast using the GOP method Version 1.3 Author Yulia Gel, Adrian E. Raftery, Tilmann Gneiting, Veronica J. Berrocal Description

More information

Point-Referenced Data Models

Point-Referenced Data Models Point-Referenced Data Models Jamie Monogan University of Georgia Spring 2013 Jamie Monogan (UGA) Point-Referenced Data Models Spring 2013 1 / 19 Objectives By the end of these meetings, participants should

More information

11. Kriging. ACE 492 SA - Spatial Analysis Fall 2003

11. Kriging. ACE 492 SA - Spatial Analysis Fall 2003 11. Kriging ACE 492 SA - Spatial Analysis Fall 2003 c 2003 by Luc Anselin, All Rights Reserved 1 Objectives The goal of this lab is to further familiarize yourself with ESRI s Geostatistical Analyst, extending

More information

Spatial Data Mining. Regression and Classification Techniques

Spatial Data Mining. Regression and Classification Techniques Spatial Data Mining Regression and Classification Techniques 1 Spatial Regression and Classisfication Discrete class labels (left) vs. continues quantities (right) measured at locations (2D for geographic

More information

Geostatistics: Kriging

Geostatistics: Kriging Geostatistics: Kriging 8.10.2015 Konetekniikka 1, Otakaari 4, 150 10-12 Rangsima Sunila, D.Sc. Background What is Geostatitics Concepts Variogram: experimental, theoretical Anisotropy, Isotropy Lag, Sill,

More information

Basics of Point-Referenced Data Models

Basics of Point-Referenced Data Models Basics of Point-Referenced Data Models Basic tool is a spatial process, {Y (s), s D}, where D R r Chapter 2: Basics of Point-Referenced Data Models p. 1/45 Basics of Point-Referenced Data Models Basic

More information

Geog 210C Spring 2011 Lab 6. Geostatistics in ArcMap

Geog 210C Spring 2011 Lab 6. Geostatistics in ArcMap Geog 210C Spring 2011 Lab 6. Geostatistics in ArcMap Overview In this lab you will think critically about the functionality of spatial interpolation, improve your kriging skills, and learn how to use several

More information

Package intamapinteractive

Package intamapinteractive Package intamapinteractive February 15, 2013 Version 1.1-4 Date 2012-07-24 Title procedures for automated interpolation - methods only to be used interactively, not included in intamap package Author Edzer

More information

Recent Developments in Biostatistics: Space-Time Models. Tuesday: Geostatistics

Recent Developments in Biostatistics: Space-Time Models. Tuesday: Geostatistics Recent Developments in Biostatistics: Space-Time Models Tuesday: Geostatistics Sonja Greven Department of Statistics Ludwig-Maximilians-Universität München (with special thanks to Michael Höhle for some

More information

Copyright The McGraw-Hill Companies, Inc. Permission required for reproduction or display.

Copyright The McGraw-Hill Companies, Inc. Permission required for reproduction or display. Chapter 15. SPATIAL INTERPOLATION 15.1 Elements of Spatial Interpolation 15.1.1 Control Points 15.1.2 Type of Spatial Interpolation 15.2 Global Methods 15.2.1 Trend Surface Models Box 15.1 A Worked Example

More information

Optimizing Sampling Schemes for Mapping and Dredging Polluted Sediment Layers

Optimizing Sampling Schemes for Mapping and Dredging Polluted Sediment Layers This file was created by scanning the printed publication. Errors identified by the software have been corrected; however, some errors may remain. Optimizing Sampling Schemes for Mapping and Dredging Polluted

More information

Lecture 9: Introduction to Kriging

Lecture 9: Introduction to Kriging Lecture 9: Introduction to Kriging Math 586 Beginning remarks Kriging is a commonly used method of interpolation (prediction) for spatial data. The data are a set of observations of some variable(s) of

More information

Package ProbForecastGOP

Package ProbForecastGOP Type Package Package ProbForecastGOP February 19, 2015 Title Probabilistic weather forecast using the GOP method Version 1.3.2 Date 2010-05-31 Author Veronica J. Berrocal , Yulia

More information

Spatial Backfitting of Roller Measurement Values from a Florida Test Bed

Spatial Backfitting of Roller Measurement Values from a Florida Test Bed Spatial Backfitting of Roller Measurement Values from a Florida Test Bed Daniel K. Heersink 1, Reinhard Furrer 1, and Mike A. Mooney 2 1 Institute of Mathematics, University of Zurich, CH-8057 Zurich 2

More information

Spatial Interpolation Comparison Evaluation of spatial prediction methods

Spatial Interpolation Comparison Evaluation of spatial prediction methods Spatial Interpolation Comparison Evaluation of spatial prediction methods Tomislav Hengl ISRIC World Soil Information, Wageningen University Topic Geostatistics = a toolbox to generate maps from point

More information

University of California, Los Angeles Department of Statistics. Effect of variogram parameters on kriging weights

University of California, Los Angeles Department of Statistics. Effect of variogram parameters on kriging weights University of California, Los Angeles Department of Statistics Statistics C173/C273 Instructor: Nicolas Christou Effect of variogram parameters on kriging weights We will explore in this document how the

More information

Models for spatial data (cont d) Types of spatial data. Types of spatial data (cont d) Hierarchical models for spatial data

Models for spatial data (cont d) Types of spatial data. Types of spatial data (cont d) Hierarchical models for spatial data Hierarchical models for spatial data Based on the book by Banerjee, Carlin and Gelfand Hierarchical Modeling and Analysis for Spatial Data, 2004. We focus on Chapters 1, 2 and 5. Geo-referenced data arise

More information

7 Geostatistics. Figure 7.1 Focus of geostatistics

7 Geostatistics. Figure 7.1 Focus of geostatistics 7 Geostatistics 7.1 Introduction Geostatistics is the part of statistics that is concerned with geo-referenced data, i.e. data that are linked to spatial coordinates. To describe the spatial variation

More information

PRODUCING PROBABILITY MAPS TO ASSESS RISK OF EXCEEDING CRITICAL THRESHOLD VALUE OF SOIL EC USING GEOSTATISTICAL APPROACH

PRODUCING PROBABILITY MAPS TO ASSESS RISK OF EXCEEDING CRITICAL THRESHOLD VALUE OF SOIL EC USING GEOSTATISTICAL APPROACH PRODUCING PROBABILITY MAPS TO ASSESS RISK OF EXCEEDING CRITICAL THRESHOLD VALUE OF SOIL EC USING GEOSTATISTICAL APPROACH SURESH TRIPATHI Geostatistical Society of India Assumptions and Geostatistical Variogram

More information

Soil Moisture Modeling using Geostatistical Techniques at the O Neal Ecological Reserve, Idaho

Soil Moisture Modeling using Geostatistical Techniques at the O Neal Ecological Reserve, Idaho Final Report: Forecasting Rangeland Condition with GIS in Southeastern Idaho Soil Moisture Modeling using Geostatistical Techniques at the O Neal Ecological Reserve, Idaho Jacob T. Tibbitts, Idaho State

More information

On dealing with spatially correlated residuals in remote sensing and GIS

On dealing with spatially correlated residuals in remote sensing and GIS On dealing with spatially correlated residuals in remote sensing and GIS Nicholas A. S. Hamm 1, Peter M. Atkinson and Edward J. Milton 3 School of Geography University of Southampton Southampton SO17 3AT

More information

COMPARISON OF DIGITAL ELEVATION MODELLING METHODS FOR URBAN ENVIRONMENT

COMPARISON OF DIGITAL ELEVATION MODELLING METHODS FOR URBAN ENVIRONMENT COMPARISON OF DIGITAL ELEVATION MODELLING METHODS FOR URBAN ENVIRONMENT Cahyono Susetyo Department of Urban and Regional Planning, Institut Teknologi Sepuluh Nopember, Indonesia Gedung PWK, Kampus ITS,

More information

ROeS Seminar, November

ROeS Seminar, November IASC Introduction: Spatial Interpolation Estimation at a certain location Geostatistische Modelle für Fließgewässer e.g. Air pollutant concentrations were measured at different locations. What is the concentration

More information

Multivariate Geostatistics

Multivariate Geostatistics Hans Wackernagel Multivariate Geostatistics An Introduction with Applications Third, completely revised edition with 117 Figures and 7 Tables Springer Contents 1 Introduction A From Statistics to Geostatistics

More information

GRAD6/8104; INES 8090 Spatial Statistic Spring 2017

GRAD6/8104; INES 8090 Spatial Statistic Spring 2017 Lab #5 Spatial Regression (Due Date: 04/29/2017) PURPOSES 1. Learn to conduct alternative linear regression modeling on spatial data 2. Learn to diagnose and take into account spatial autocorrelation in

More information

Uncertainty in merged radar - rain gauge rainfall products

Uncertainty in merged radar - rain gauge rainfall products Uncertainty in merged radar - rain gauge rainfall products Francesca Cecinati University of Bristol francesca.cecinati@bristol.ac.uk Supervisor: Miguel A. Rico-Ramirez This project has received funding

More information

USING R FOR BASIC SPATIAL ANALYSIS. Dartmouth College Research Computing

USING R FOR BASIC SPATIAL ANALYSIS. Dartmouth College Research Computing USING R FOR BASIC SPATIAL ANALYSIS Dartmouth College Research Computing OVERVIEW Research Computing and Spatial Analysis at Dartmouth What is Spatial Analysis? What is R? Basics of R Common Spatial Packages

More information

Plume-Scale Testing of a Simplified Method for Detecting Tritium Contamination in Plants & Soil

Plume-Scale Testing of a Simplified Method for Detecting Tritium Contamination in Plants & Soil Plume-Scale Testing of a Simplified Method for Detecting Tritium Contamination in Plants & Soil B.J. Andraski 1, K.J. Halford 1, & R.L. Michel 2 U.S. Geological Survey 1 Carson City, Nevada 2 Menlo Park,

More information

I don t have much to say here: data are often sampled this way but we more typically model them in continuous space, or on a graph

I don t have much to say here: data are often sampled this way but we more typically model them in continuous space, or on a graph Spatial analysis Huge topic! Key references Diggle (point patterns); Cressie (everything); Diggle and Ribeiro (geostatistics); Dormann et al (GLMMs for species presence/abundance); Haining; (Pinheiro and

More information

An Introduction to Spatial Autocorrelation and Kriging

An Introduction to Spatial Autocorrelation and Kriging An Introduction to Spatial Autocorrelation and Kriging Matt Robinson and Sebastian Dietrich RenR 690 Spring 2016 Tobler and Spatial Relationships Tobler s 1 st Law of Geography: Everything is related to

More information

Toward an automatic real-time mapping system for radiation hazards

Toward an automatic real-time mapping system for radiation hazards Toward an automatic real-time mapping system for radiation hazards Paul H. Hiemstra 1, Edzer J. Pebesma 2, Chris J.W. Twenhöfel 3, Gerard B.M. Heuvelink 4 1 Faculty of Geosciences / University of Utrecht

More information

LAB EXERCISE #3 Quantifying Point and Gradient Patterns

LAB EXERCISE #3 Quantifying Point and Gradient Patterns LAB EXERCISE #3 Quantifying Point and Gradient Patterns Instructor: K. McGarigal Overview: In this exercise, you will learn to appreciate the challenges of quantifying point and gradient patterns and gain

More information

Spatial-Temporal Modeling of Active Layer Thickness

Spatial-Temporal Modeling of Active Layer Thickness Spatial-Temporal Modeling of Active Layer Thickness Qian Chen Advisor : Dr. Tatiyana Apanasovich Department of Statistics The George Washington University Abstract The objective of this study is to provide

More information

Empirical Bayesian Kriging

Empirical Bayesian Kriging Empirical Bayesian Kriging Implemented in ArcGIS Geostatistical Analyst By Konstantin Krivoruchko, Senior Research Associate, Software Development Team, Esri Obtaining reliable environmental measurements

More information

Umeå University Sara Sjöstedt-de Luna Time series analysis and spatial statistics

Umeå University Sara Sjöstedt-de Luna Time series analysis and spatial statistics Umeå University 01-05-5 Sara Sjöstedt-de Luna Time series analysis and spatial statistics Laboration in ArcGIS Geostatistical Analyst These exercises are aiming at helping you understand ArcGIS Geostatistical

More information

An Introduction to Pattern Statistics

An Introduction to Pattern Statistics An Introduction to Pattern Statistics Nearest Neighbors The CSR hypothesis Clark/Evans and modification Cuzick and Edwards and controls All events k function Weighted k function Comparative k functions

More information

Spatial statistics, addition to Part I. Parameter estimation and kriging for Gaussian random fields

Spatial statistics, addition to Part I. Parameter estimation and kriging for Gaussian random fields Spatial statistics, addition to Part I. Parameter estimation and kriging for Gaussian random fields 1 Introduction Jo Eidsvik Department of Mathematical Sciences, NTNU, Norway. (joeid@math.ntnu.no) February

More information

Improving Spatial Data Interoperability

Improving Spatial Data Interoperability Improving Spatial Data Interoperability A Framework for Geostatistical Support-To To-Support Interpolation Michael F. Goodchild, Phaedon C. Kyriakidis, Philipp Schneider, Matt Rice, Qingfeng Guan, Jordan

More information

Chapter 4 - Fundamentals of spatial processes Lecture notes

Chapter 4 - Fundamentals of spatial processes Lecture notes TK4150 - Intro 1 Chapter 4 - Fundamentals of spatial processes Lecture notes Odd Kolbjørnsen and Geir Storvik January 30, 2017 STK4150 - Intro 2 Spatial processes Typically correlation between nearby sites

More information

Statistícal Methods for Spatial Data Analysis

Statistícal Methods for Spatial Data Analysis Texts in Statistícal Science Statistícal Methods for Spatial Data Analysis V- Oliver Schabenberger Carol A. Gotway PCT CHAPMAN & K Contents Preface xv 1 Introduction 1 1.1 The Need for Spatial Analysis

More information

Worksheet 4 - Multiple and nonlinear regression models

Worksheet 4 - Multiple and nonlinear regression models Worksheet 4 - Multiple and nonlinear regression models Multiple and non-linear regression references Quinn & Keough (2002) - Chpt 6 Question 1 - Multiple Linear Regression Paruelo & Lauenroth (1996) analyzed

More information

Spatial Analysis II. Spatial data analysis Spatial analysis and inference

Spatial Analysis II. Spatial data analysis Spatial analysis and inference Spatial Analysis II Spatial data analysis Spatial analysis and inference Roadmap Spatial Analysis I Outline: What is spatial analysis? Spatial Joins Step 1: Analysis of attributes Step 2: Preparing for

More information

REML Estimation and Linear Mixed Models 4. Geostatistics and linear mixed models for spatial data

REML Estimation and Linear Mixed Models 4. Geostatistics and linear mixed models for spatial data REML Estimation and Linear Mixed Models 4. Geostatistics and linear mixed models for spatial data Sue Welham Rothamsted Research Harpenden UK AL5 2JQ December 1, 2008 1 We will start by reviewing the principles

More information

5. Geostatistics JEAN-MICHEL FLOCH INSEE. Abstract

5. Geostatistics JEAN-MICHEL FLOCH INSEE. Abstract 5. Geostatistics JEAN-MICHEL FLOCH INSEE 5.1 Random functions 114 5.1.1 Definitions.............................................. 114 5.1.2 Stationarity............................................. 115

More information

Bayesian Transgaussian Kriging

Bayesian Transgaussian Kriging 1 Bayesian Transgaussian Kriging Hannes Müller Institut für Statistik University of Klagenfurt 9020 Austria Keywords: Kriging, Bayesian statistics AMS: 62H11,60G90 Abstract In geostatistics a widely used

More information

SPATIAL-TEMPORAL TECHNIQUES FOR PREDICTION AND COMPRESSION OF SOIL FERTILITY DATA

SPATIAL-TEMPORAL TECHNIQUES FOR PREDICTION AND COMPRESSION OF SOIL FERTILITY DATA SPATIAL-TEMPORAL TECHNIQUES FOR PREDICTION AND COMPRESSION OF SOIL FERTILITY DATA D. Pokrajac Center for Information Science and Technology Temple University Philadelphia, Pennsylvania A. Lazarevic Computer

More information

Geostatistical Density Mapping

Geostatistical Density Mapping Geostatistical Density Mapping Sean A. McKenna and Barry Roberts (SNL) Brent Pulsipher & John Hathaway (PNNL) 2008 Partners in Environmental Technology Technical Symposium & Workshop Sandia is a multiprogram

More information

Investigation of Monthly Pan Evaporation in Turkey with Geostatistical Technique

Investigation of Monthly Pan Evaporation in Turkey with Geostatistical Technique Investigation of Monthly Pan Evaporation in Turkey with Geostatistical Technique Hatice Çitakoğlu 1, Murat Çobaner 1, Tefaruk Haktanir 1, 1 Department of Civil Engineering, Erciyes University, Kayseri,

More information

A GEOSTATISTICAL APPROACH TO PREDICTING A PHYSICAL VARIABLE THROUGH A CONTINUOUS SURFACE

A GEOSTATISTICAL APPROACH TO PREDICTING A PHYSICAL VARIABLE THROUGH A CONTINUOUS SURFACE Katherine E. Williams University of Denver GEOG3010 Geogrpahic Information Analysis April 28, 2011 A GEOSTATISTICAL APPROACH TO PREDICTING A PHYSICAL VARIABLE THROUGH A CONTINUOUS SURFACE Overview Data

More information

Space-time data. Simple space-time analyses. PM10 in space. PM10 in time

Space-time data. Simple space-time analyses. PM10 in space. PM10 in time Space-time data Observations taken over space and over time Z(s, t): indexed by space, s, and time, t Here, consider geostatistical/time data Z(s, t) exists for all locations and all times May consider

More information

A Short Note on the Proportional Effect and Direct Sequential Simulation

A Short Note on the Proportional Effect and Direct Sequential Simulation A Short Note on the Proportional Effect and Direct Sequential Simulation Abstract B. Oz (boz@ualberta.ca) and C. V. Deutsch (cdeutsch@ualberta.ca) University of Alberta, Edmonton, Alberta, CANADA Direct

More information

University of California, Los Angeles Department of Statistics. Introduction

University of California, Los Angeles Department of Statistics. Introduction University of California, Los Angeles Department of Statistics Statistics C173/C273 Instructor: Nicolas Christou Introduction What is geostatistics? Geostatistics is concerned with estimation and prediction

More information

What s for today. Introduction to Space-time models. c Mikyoung Jun (Texas A&M) Stat647 Lecture 14 October 16, / 19

What s for today. Introduction to Space-time models. c Mikyoung Jun (Texas A&M) Stat647 Lecture 14 October 16, / 19 What s for today Introduction to Space-time models c Mikyoung Jun (Texas A&M) Stat647 Lecture 14 October 16, 2012 1 / 19 Space-time Data So far we looked at the data that vary over space Now we add another

More information

Index. Geostatistics for Environmental Scientists, 2nd Edition R. Webster and M. A. Oliver 2007 John Wiley & Sons, Ltd. ISBN:

Index. Geostatistics for Environmental Scientists, 2nd Edition R. Webster and M. A. Oliver 2007 John Wiley & Sons, Ltd. ISBN: Index Akaike information criterion (AIC) 105, 290 analysis of variance 35, 44, 127 132 angular transformation 22 anisotropy 59, 99 affine or geometric 59, 100 101 anisotropy ratio 101 exploring and displaying

More information

Non-Ergodic Probabilistic Seismic Hazard Analyses

Non-Ergodic Probabilistic Seismic Hazard Analyses Non-Ergodic Probabilistic Seismic Hazard Analyses M.A. Walling Lettis Consultants International, INC N.A. Abrahamson University of California, Berkeley SUMMARY A method is developed that relaxes the ergodic

More information

CREATION OF DEM BY KRIGING METHOD AND EVALUATION OF THE RESULTS

CREATION OF DEM BY KRIGING METHOD AND EVALUATION OF THE RESULTS CREATION OF DEM BY KRIGING METHOD AND EVALUATION OF THE RESULTS JANA SVOBODOVÁ, PAVEL TUČEK* Jana Svobodová, Pavel Tuček: Creation of DEM by kriging method and evaluation of the results. Geomorphologia

More information

Spatiotemporal Analysis of Environmental Radiation in Korea

Spatiotemporal Analysis of Environmental Radiation in Korea WM 0 Conference, February 25 - March, 200, Tucson, AZ Spatiotemporal Analysis of Environmental Radiation in Korea J.Y. Kim, B.C. Lee FNC Technology Co., Ltd. Main Bldg. 56, Seoul National University Research

More information

Package STMedianPolish

Package STMedianPolish Type Package Title Spatio-Temporal Median Polish Version 0.2 Date 2017-03-07 Package STMedianPolish March 8, 2017 Author William Martínez [aut, cre], Melo Carlos [aut],melo Oscar [aut]. Maintainer William

More information

A kernel indicator variogram and its application to groundwater pollution

A kernel indicator variogram and its application to groundwater pollution Int. Statistical Inst.: Proc. 58th World Statistical Congress, 2011, Dublin (Session IPS101) p.1514 A kernel indicator variogram and its application to groundwater pollution data Menezes, Raquel University

More information

Spatial and spatio-temporal data in. ifgi. Institute for Geoinformatics University of Münster. Edzer Pebesma

Spatial and spatio-temporal data in. ifgi. Institute for Geoinformatics University of Münster. Edzer Pebesma 1. Das neue IfGI-Logo 1.6 Logovarianten Spatial and spatio-temporal data in Logo für den Einsatz in internationalen bzw. englischsprachigen Präsentationen. Einsatzbereiche: Briefbogen, Visitenkarte, Titelblätter

More information

Spatial Statistics or Why Spatial is Special?

Spatial Statistics or Why Spatial is Special? Spatial Statistics or Why Spatial is Special? Curdin Derungs, GISLab 20.10.2017 Seite 1 Spatial is special Spatial is special Longley et al s (2011) spatial is special -list: 20.10.2017 Seite 3 Spatial

More information

Nonstationary models for exploring and mapping monthly precipitation in the United Kingdom

Nonstationary models for exploring and mapping monthly precipitation in the United Kingdom INTERNATIONAL JOURNAL OF CLIMATOLOGY Int. J. Climatol. 3: 39 45 (21) Published online 16 March 29 in Wiley InterScience (www.interscience.wiley.com) DOI: 1.12/joc.1892 Nonstationary models for exploring

More information

Practicum : Spatial Regression

Practicum : Spatial Regression : Alexandra M. Schmidt Instituto de Matemática UFRJ - www.dme.ufrj.br/ alex 2014 Búzios, RJ, www.dme.ufrj.br Exploratory (Spatial) Data Analysis 1. Non-spatial summaries Numerical summaries: Mean, median,

More information

Time-lapse filtering and improved repeatability with automatic factorial co-kriging. Thierry Coléou CGG Reservoir Services Massy

Time-lapse filtering and improved repeatability with automatic factorial co-kriging. Thierry Coléou CGG Reservoir Services Massy Time-lapse filtering and improved repeatability with automatic factorial co-kriging. Thierry Coléou CGG Reservoir Services Massy 1 Outline Introduction Variogram and Autocorrelation Factorial Kriging Factorial

More information

Geostatistical Analyst for Deciding Optimal Interpolation Strategies for Delineating Compact Zones

Geostatistical Analyst for Deciding Optimal Interpolation Strategies for Delineating Compact Zones International Journal of Geosciences, 2011, 2, 585-596 doi:10.4236/ijg.2011.24061 Published Online November 2011 (http://www.scirp.org/journal/ijg) 585 Geostatistical Analyst for Deciding Optimal Interpolation

More information

Roger S. Bivand Edzer J. Pebesma Virgilio Gömez-Rubio. Applied Spatial Data Analysis with R. 4:1 Springer

Roger S. Bivand Edzer J. Pebesma Virgilio Gömez-Rubio. Applied Spatial Data Analysis with R. 4:1 Springer Roger S. Bivand Edzer J. Pebesma Virgilio Gömez-Rubio Applied Spatial Data Analysis with R 4:1 Springer Contents Preface VII 1 Hello World: Introducing Spatial Data 1 1.1 Applied Spatial Data Analysis

More information

Concepts and Applications of Kriging

Concepts and Applications of Kriging Esri International User Conference San Diego, California Technical Workshops July 24, 2012 Concepts and Applications of Kriging Konstantin Krivoruchko Eric Krause Outline Intro to interpolation Exploratory

More information

Assessing the covariance function in geostatistics

Assessing the covariance function in geostatistics Statistics & Probability Letters 52 (2001) 199 206 Assessing the covariance function in geostatistics Ana F. Militino, M. Dolores Ugarte Departamento de Estadstica e Investigacion Operativa, Universidad

More information

Pedometric Techniques in Spatialisation of Soil Properties for Agricultural Land Evaluation

Pedometric Techniques in Spatialisation of Soil Properties for Agricultural Land Evaluation Bulletin UASVM Agriculture, 67(1)/2010 Print ISSN 1843-5246; Electronic ISSN 1843-5386 Pedometric Techniques in Spatialisation of Soil Properties for Agricultural Land Evaluation Iuliana Cornelia TANASĂ

More information

Lecture 5 Geostatistics

Lecture 5 Geostatistics Lecture 5 Geostatistics Lecture Outline Spatial Estimation Spatial Interpolation Spatial Prediction Sampling Spatial Interpolation Methods Spatial Prediction Methods Interpolating Raster Surfaces with

More information

ESTIMATING THE MEAN LEVEL OF FINE PARTICULATE MATTER: AN APPLICATION OF SPATIAL STATISTICS

ESTIMATING THE MEAN LEVEL OF FINE PARTICULATE MATTER: AN APPLICATION OF SPATIAL STATISTICS ESTIMATING THE MEAN LEVEL OF FINE PARTICULATE MATTER: AN APPLICATION OF SPATIAL STATISTICS Richard L. Smith Department of Statistics and Operations Research University of North Carolina Chapel Hill, N.C.,

More information