Zev Ross President, ZevRoss Spatial Analysis

Size: px
Start display at page:

Download "Zev Ross President, ZevRoss Spatial Analysis"

Transcription

1 SPATIAL ANALYSIS IN R WITH SF AND RASTER Welcome! Zev Ross President, ZevRoss Spatial Analysis

2 Packages we will use in this course Two key packages sf for vectors raster for grids Additional packages discussed ggplot2 tmap dplyr

3 Analyze New York City data You will compute tree density and greenspace by neighborhood in New York City.

4 Reading spatial data Read in vector data with the sf package and st_read() function Read in raster data using the raster package and either the raster() or brick() functions

5 Reading vector data with st_read() The st_read() function can be used to read a wide range of formats You feed the function your file path The function guesses the format of the file based on the input file suffix

6 An st_read() example > library(sf) > county <- st_read("folder1/county.shp")

7 st_read() supports tons of vector formats Shapefiles GeoJSON GPS netcdf Many others...

8 In this course you will be reading shapefiles New York City tree data from the Street Tree Census New York City neighborhoods New York City parks

9 Read in raster data using raster() and brick() Use raster() to read single-band rasters Use brick() to read multi-band rasters

10 Single-band rasters These have a single band/layer with a set of values, so one value per grid cell Examples might include rasters of elevation or land use

11 Use raster() for single-band rasters # elevation.tif is a single-band raster > elevation <- raster("elevation.tif")

12 Multi-band rasters Each grid cell has multiple values, one for each layer Examples include satellite images or aerial photos

13 Use brick() for multi-band rasters # aerial.tif is a multi-band raster > aerial <- brick("aerial.tif")

14 Many raster formats supported GeoTIFF ESRI grids ENVI grids ERDAS grids Others...

15 Write your data Write vector data > st_write(my_poly, "data/my_poly.shp") Write raster data > writeraster(my_raster, "data/my_raster.tif")

16 SPATIAL ANALYSIS IN R WITH SF AND RASTER Let's practice!

17 SPATIAL ANALYSIS IN R WITH SF AND RASTER Getting to know your vector data Zev Ross President, ZevRoss Spatial Analysis

18 Vector spatial objects are data frames! Spatial objects are stored as data frames One row per feature You can use standard tools like dplyr to slice and dice These data frames have some special properties...

19 sf data frames have special properties They include spatial metadata like the coordinate reference system The geometry is stored in a list column > trees <- st_read("trees.shp") > head(trees, 3) # Simple feature collection with 6 features and 2 fields # geometry type: POINT # dimension: XY # bbox: xmin: ymin: xmax: # epsg (SRID): 4326 # proj4string: +proj=longlat +datum=wgs84 +no_defs # tree_id species geometry # honeylocust POINT( # Callery pear POINT( # Chinese elm POINT(

20 The magic of the list column A non-spatial example > d <- data.frame(a = 1:3, b = 1:3) > new_list <- list(1:2, 1:5, 1:3) > new_list [[1]] [1] 1 2 [[2]] [1] [[3]] [1] 1 2 3

21 A list column is another variable in your data frame Each list element can contain as much (or as little) detail as you need. > d$c <- new_list library(dplyr) > d <- tbl_df(d) > d # A tibble: 3 x 3 a b c <int> <int> <list> <int [2]> <int [5]> <int [3]>

22 Take it one step further, geometry as list column # Read in a vector file > library(sf) > trees <- st_read("trees.shp") The geometry column is a list column. > head(trees, 3) # Simple feature collection with 6 features and 2 fields # geometry type: POINT # dimension: XY # bbox: xmin: ymin: xmax: # epsg (SRID): 4326 # proj4string: +proj=longlat +datum=wgs84 +no_defs # tree_id species geometry # honeylocust POINT( # Callery pear POINT( # Chinese elm POINT(

23 Geometry is a simple features list column -- sfc The species column is not a list > is.list(trees$species) [1] FALSE The geometry column is a list > is.list(trees$geometry) [1] TRUE Geometry is a special type of list, a simple features list column > class(trees$geometry) [1] "sfc_point" "sfc"

24 Your first visual using plot() # Plots each attribute (tree_id, species) > plot(trees)

25 Extract and plot only the geometry with st_geometry() # Extract geometry > geo <- st_geometry(trees) # Plot only the geometry > plot(st_geometry(trees))

26 SPATIAL ANALYSIS IN R WITH SF AND RASTER Let's practice!

27 SPATIAL ANALYSIS IN R WITH SF AND RASTER Getting to know your raster data Zev Ross President, ZevRoss Spatial Analysis

28 Rasters will be stored as a RasterLayer or RasterBrick Single-band rasters read in with raster() will have a class of RasterLayer > singleband <- raster("data/single.tif") > class(singleband) [1] "RasterLayer" attr(,"package") [1] "raster" Multi-band rasters read in with brick() will have a class of RasterBrick > multiband <- brick("data/multi.tif") > class(multiband) [1] "RasterBrick" attr(,"package") [1] "raster"

29 A quick look at the metadata of a RasterLayer object > singleband # class : RasterLayer # dimensions : 230, 253, (nrow, ncol, ncell) # resolution : 300, 300 (x, y) # extent : , , , (xmin, xmax, ymin, ymax) # coord. ref. : +proj=aea +lat_1=29.5 +lat_2=45.5 +lat_0=23 +lon_0= # data source : /Users/johndoe/git-repos/courses-geographic-information... # names : canopy # values : 0, 255 (min, max) Note that under "names" there is just one name, meaning just one band/layer.

30 The metadata in a RasterBrick object is very similar > multiband # class : RasterBrick # dimensions : 773, 801, , 3 (nrow, ncol, ncell, nlayers) # resolution : , (x, y) # extent : , , , (xmin, xmax, ymin,... # coord. ref. : +proj=utm +zone=18... # data source : /Users/johndoe/git-repos/courses-geographic-information... # names : manhattan.1, manhattan.2, manhattan.3 # min values : 0, 0, 0 # max values : 255, 255, 255 Notice that instead of one name there are three, meaning that this is a multi-band raster.

31 Functions to extract pieces of the metadata (I) extent() gives the minimum and maximum X and Y coordinates of the raster > extent(multiband) # class : Extent # xmin : # xmax : # ymin : # ymax :

32 Functions to extract pieces of the metadata (II) ncell() and nlayers() give the total number of grid cells or layers, respectively > ncell(multiband) [1] > nlayers(multiband) [1] 3

33 Functions to extract pieces of the metadata (III) crs() gives the coordinate reference system > crs(multiband) # CRS arguments: # +proj=utm +zone=18 +datum=wgs84 +units=m +no_defs +ellps=wgs84...

34 Note when importing rasters.. raster() and brick() do not read in raster values by default Why? Rasters can be very big To conserve memory raster values are imported only when required

35 Importing rasters - example As an example, the multiband raster we're reading in is approximately 1.5 megabytes on disk but the object.size() function shows that in memory it's just megabytes. # File size on disk (nearly 2 million bytes) > file.size("data/multi.tif") [1] # File size in memory (only 12,000 bytes) > object.size(multiband) bytes

36 The inmemory() function tells you if the raster values have been read into R > inmemory(multiband) [1] FALSE

37 You can read the values with the getvalues() function > vals <- getvalues(multiband) > head(vals) manhattan.1 manhattan.2 manhattan.3 [1,] [2,] [3,] [4,] [5,] [6,]

38 Creating quick maps of your rasters with plot() and plotrgb() Use plot() for single-band rasters or to look at the individual layers in a multi-band raster Use plotrgb() to create a true color map of a multi-layered object

39 Using plot() with a single-band raster > plot(singleband)

40 Using plot() with a multi-band raster > plot(multiband)

41 Using plotrgb() to create a true color image > plotrgb(multiband)

42 SPATIAL ANALYSIS IN R WITH SF AND RASTER Let's practice!

Zev Ross President, ZevRoss Spatial Analysis

Zev Ross President, ZevRoss Spatial Analysis SPATIAL ANALYSIS IN R WITH SF AND RASTER A quick refresher on the coordinate Zev Ross President, ZevRoss Spatial Analysis reference system Coordinate reference system A place on the earth is specified

More information

Zev Ross President, ZevRoss Spatial Analysis

Zev Ross President, ZevRoss Spatial Analysis SPATIAL ANALYSIS IN R WITH SF AND RASTER Buffers and centroids Zev Ross President, ZevRoss Spatial Analysis Use a projected coordinate reference system for spatial analysis As a general rule your layers

More information

Spatial data analysis with

Spatial data analysis with Spatial data analysis with Spatial is special Complex: geometry and attributes The earth is not flat Size: lots and lots of it, multivariate, time series Special plots: maps First Law of Geography: nearby

More information

Spatial data. Spatial data in R

Spatial data. Spatial data in R Spatial data Spatial data in R What do we want to do? What do we want to do? What do we want to do? Today s plan Geographic data types in R Projections Important large-scale data sources Geographic Data

More information

Working with Geospatial Data in R. Introducing sp objects

Working with Geospatial Data in R. Introducing sp objects Introducing sp objects Data frames aren t a great way to store spatial data > head(ward_sales) ward lon lat group order num_sales avg_price 1 1-123.3128 44.56531 0.1 1 159 311626.9 2 1-123.3122 44.56531

More information

Spatial data with R. some applications to weather and agriculture. Joe Wheatley. Dublin R 21 Feb Biospherica Risk

Spatial data with R. some applications to weather and agriculture. Joe Wheatley. Dublin R 21 Feb Biospherica Risk Spatial data with R some applications to weather and agriculture Joe Wheatley Biospherica Risk Dublin R 21 Feb 2013 mm 30 20 10 0 Packages sp vector data raster grid data rgdal input/output, coordinate

More information

Spatial Data in R. Release 1.0. Robert Hijmans

Spatial Data in R. Release 1.0. Robert Hijmans Spatial Data in R Release 1.0 Robert Hijmans Sep 16, 2018 CONTENTS 1 1. Introduction 1 2 2. Spatial data 3 2.1 2.1 Introduction............................................. 3 2.2 2.2 Vector data..............................................

More information

Some methods for the quantification of prediction uncertainties for digital soil mapping: Universal kriging prediction variance.

Some methods for the quantification of prediction uncertainties for digital soil mapping: Universal kriging prediction variance. Some methods for the quantification of prediction uncertainties for digital soil mapping: Universal kriging prediction variance. Soil Security Laboratory 2018 1 Universal kriging prediction variance In

More information

Calculate Burn Severity Patch Sizes with SDMtools in R Anna Talucci 19 May 2017

Calculate Burn Severity Patch Sizes with SDMtools in R Anna Talucci 19 May 2017 Calculate Burn Severity Patch Sizes with SDMtools in R Anna Talucci 19 May 2017 Overview This analysis is focused on generating some descriptive statisitcs about patch size for burn severity classes across

More information

Using R as a GIS. Alan R. Pearse. 31 July 2017

Using R as a GIS. Alan R. Pearse. 31 July 2017 Using R as a GIS Alan R. Pearse 31 July 2017 Contact Email: ar.pearse@qut.edu.au Contents Data sources A note on syntax What is R? Why do GIS in R? Must-have R packages Overview of spatial data types in

More information

Spatial Data Analysis with R

Spatial Data Analysis with R Spatial Data Analysis with R Release 0.1 Robert Hijmans April 12, 2018 CONTENTS 1 1. Introduction 1 2 2. Spatial data 3 2.1 2.1 Introduction............................................. 3 2.2 2.2 Vector

More information

Introduction to the raster package (version 2.6-7)

Introduction to the raster package (version 2.6-7) Introduction to the raster package (version 2.6-7) Robert J. Hijmans November 12, 2017 1 Introduction This vignette describes the R package raster. A raster is a spatial (geographic) data structure that

More information

Writing functions with the raster package

Writing functions with the raster package Writing functions with the raster package Robert J. Hijmans November 12, 2017 1 Introduction The raster package has a number of low-level functions (e.g. to read and write files) that allow you to write

More information

Package angstroms. May 1, 2017

Package angstroms. May 1, 2017 Package angstroms May 1, 2017 Title Tools for 'ROMS' the Regional Ocean Modeling System Version 0.0.1 Helper functions for working with Regional Ocean Modeling System 'ROMS' output. See

More information

Package velox. R topics documented: December 1, 2017

Package velox. R topics documented: December 1, 2017 Type Package Title Fast Raster Manipulation and Extraction Version 0.2.0 Date 2017-11-30 Author Philipp Hunziker Package velox December 1, 2017 Maintainer Philipp Hunziker BugReports

More information

Package redlistr. May 11, 2018

Package redlistr. May 11, 2018 Package redlistr May 11, 2018 Title Tools for the IUCN Red List of Ecosystems and Species Version 1.0.1 A toolbox created by members of the International Union for Conservation of Nature (IUCN) Red List

More information

Package qualmap. R topics documented: September 12, Type Package

Package qualmap. R topics documented: September 12, Type Package Type Package Package qualmap September 12, 2018 Title Opinionated Approach for Digitizing Semi-Structured Qualitative GIS Data Version 0.1.1 Provides a set of functions for taking qualitative GIS data,

More information

GEOGRAPHIC INFORMATION SYSTEMS Lecture 02: Feature Types and Data Models

GEOGRAPHIC INFORMATION SYSTEMS Lecture 02: Feature Types and Data Models GEOGRAPHIC INFORMATION SYSTEMS Lecture 02: Feature Types and Data Models Feature Types and Data Models How Does a GIS Work? - a GIS operates on the premise that all of the features in the real world can

More information

Raster GIS applications Columns

Raster GIS applications Columns Raster GIS applications Columns Rows Image: cell value = amount of reflection from surface Thematic layer: cell value = category or measured value - In both cases, there is only one value per cell (in

More information

SPATIAL DATA MODELS Introduction to GIS Winter 2015

SPATIAL DATA MODELS Introduction to GIS Winter 2015 SPATIAL DATA MODELS Introduction to GIS Winter 2015 GIS Data Organization The basics Data can be organized in a variety of ways Spatial location, content (attributes), frequency of use Come up with a system

More information

Package gfcanalysis. August 29, 2016

Package gfcanalysis. August 29, 2016 Package gfcanalysis August 29, 2016 Version 1.4 Date 2015-11-20 Title Tools for Working with Hansen et al. Global Forest Change Dataset Maintainer Alex Zvoleff Depends R (>=

More information

Spatial Reference Systems Transformations with Boost.Geometry

Spatial Reference Systems Transformations with Boost.Geometry Spatial Reference Systems Transformations with Boost.Geometry Adam Wulkiewicz Software Engineer at MySQL Spatial reference system A spatial reference system (SRS) or coordinate reference system (CRS) is

More information

Unpacking Instructions

Unpacking Instructions DNR Data Deli II Unpacking and User Instructions May 2004 Now that you ve successfully downloaded a bundle of GIS data from the Minnesota Dept. of Natural Resources, GIS Data Deli II there are a couple

More information

Raster Data. James Frew ESM 263 Winter

Raster Data. James Frew ESM 263 Winter Raster Data 1 Vector Data Review discrete objects geometry = points by themselves connected lines closed polygons attributes linked to feature ID explicit location every point has coordinates 2 Fields

More information

Package spatial.tools

Package spatial.tools Package spatial.tools February 20, 2015 Maintainer Jonathan Asher Greenberg License GPL (>= 2) Title R functions for working with spatial data. Type Package LazyLoad yes Author

More information

Package geojsonsf. R topics documented: January 11, Type Package Title GeoJSON to Simple Feature Converter Version 1.3.

Package geojsonsf. R topics documented: January 11, Type Package Title GeoJSON to Simple Feature Converter Version 1.3. Type Package Title GeoJSON to Simple Feature Converter Version 1.3.0 Date 2019-01-11 Package geojsonsf January 11, 2019 Converts Between GeoJSON and simple feature objects. License GPL-3 Encoding UTF-8

More information

Creating Geo model from Live HANA Calculation View

Creating Geo model from Live HANA Calculation View Creating Geo model from Live HANA Calculation View This document provides instructions for how to prepare a calculation view on a live HANA system with location dimensions for use in the SAP Analytics

More information

Three-dimensional Analyses

Three-dimensional Analyses Chapter 6 Three-dimensional Analyses Contents Figures 6.1 Three-dimensional home range......................... 110 6.2 Three-dimensional exploration of digital elevation models (DEMs)... 115 6.1 Example

More information

Working with demographic grids in QGIS

Working with demographic grids in QGIS Working with demographic grids in QGIS Anna Dmowska dmowska@amu.edu.pl April 2017 1. Introduction SocScape (Social Landscape) is a research project which provides open access to high resolution (30 m)

More information

Review of Cartographic Data Types and Data Models

Review of Cartographic Data Types and Data Models Review of Cartographic Data Types and Data Models GIS Data Models Raster Versus Vector in GIS Analysis Fundamental element used to represent spatial features: Raster: pixel or grid cell. Vector: x,y coordinate

More information

APoLUS User guide version 1.4 (November 26th 2015)

APoLUS User guide version 1.4 (November 26th 2015) APoLUS User guide version 1.4 (November 26th 2015) 1. Most important advances from previous versions 1. Renamed to APoLUS (Actor, Policy and Land Use Simulator) to take into account what we are trying

More information

INTRODUCTION TO GIS WORKSHOP EXERCISE

INTRODUCTION TO GIS WORKSHOP EXERCISE 111 Mulford Hall, College of Natural Resources, UC Berkeley (510) 643-4539 INTRODUCTION TO GIS WORKSHOP EXERCISE This exercise is a survey of some GIS and spatial analysis tools for ecological and natural

More information

RASTER ANALYSIS S H A W N L. P E N M A N E A R T H D A T A A N A LY S I S C E N T E R U N I V E R S I T Y O F N E W M E X I C O

RASTER ANALYSIS S H A W N L. P E N M A N E A R T H D A T A A N A LY S I S C E N T E R U N I V E R S I T Y O F N E W M E X I C O RASTER ANALYSIS S H A W N L. P E N M A N E A R T H D A T A A N A LY S I S C E N T E R U N I V E R S I T Y O F N E W M E X I C O TOPICS COVERED Spatial Analyst basics Raster / Vector conversion Raster data

More information

Map Library ArcView Version 1 02/20/03 Page 1 of 12. ArcView GIS

Map Library ArcView Version 1 02/20/03 Page 1 of 12. ArcView GIS Map Library ArcView Version 1 02/20/03 Page 1 of 12 1. Introduction 1 ArcView GIS ArcView is the most popular desktop GIS analysis and map presentation software package.. With ArcView GIS you can create

More information

Raster GIS applications

Raster GIS applications Raster GIS applications Columns Rows Image: cell value = amount of reflection from surface DEM: cell value = elevation (also slope/aspect/hillshade/curvature) Thematic layer: cell value = category or measured

More information

4/7/2009. Model: Abstraction of reality following formal rules e.g. Euclidean space for physical space

4/7/2009. Model: Abstraction of reality following formal rules e.g. Euclidean space for physical space Model: Abstraction of reality following formal rules e.g. Euclidean space for physical space At different levels: mathematical model (Euclidean space) conceptual design model (ER model) data model (design)

More information

Exercise 3-1: Soil property mapping

Exercise 3-1: Soil property mapping Exercise 3-1: Soil property mapping Mapping objectives: Create a soil analysis point layer from tabular data in QGIS Create a continuous surface soil property map using Kriging Interpolation in SAGA GIS

More information

SPECIFICATION FOR GMT VECTOR DATA FORMAT FOR OGR COMPATABILITY. DRAFT v0.2. Brent Wood

SPECIFICATION FOR GMT VECTOR DATA FORMAT FOR OGR COMPATABILITY. DRAFT v0.2. Brent Wood SPECIFICATION FOR GMT VECTOR DATA FORMAT FOR OGR COMPATABILITY DRAFT v0.2 Brent Wood pcreso@pcreso.com Background. The National Institute for Water and Atmospheric Research (NIWA) in New Zealand is funding

More information

Exercise 1-1: Using GPS track data to create a field boundary

Exercise 1-1: Using GPS track data to create a field boundary Exercise 1-1: Using GPS track data to create a field boundary Learning objectives: Add QGIS plugins Create a point vector file from a text file Convert GPS tracking points to a field boundary Data folder:

More information

Geoapplications development Control work 1 (2017, Fall)

Geoapplications development Control work 1 (2017, Fall) Page 1 Geoapplications development Control work 1 (2017, Fall) Author: Antonio Rodriges, Oct. 2017 http://rgeo.wikience.org/ Surname, name, patronymic: Group: Date: Signature: Select all correct statements.

More information

Spatial Data Analysis: Introduction to Raster Processing: Part-3

Spatial Data Analysis: Introduction to Raster Processing: Part-3 Spatial Data Analysis: Introduction to Raster Processing: Part-3 Background Geospatial data is becoming increasingly used to solve numerous real-life problems (check out some examples here.) In turn, R

More information

Years after US Student to Teacher Ratio

Years after US Student to Teacher Ratio The goal of this assignment is to create a scatter plot of a set of data. You could do this with any two columns of data, but for demonstration purposes we ll work with the data in the table below. The

More information

I. An Intro to ArcMap Version 9.3 and 10. 1) Arc Map is basically a build your own Google map

I. An Intro to ArcMap Version 9.3 and 10. 1) Arc Map is basically a build your own Google map I. An Intro to ArcMap Version 9.3 and 10 What is Arc Map? 1) Arc Map is basically a build your own Google map a. Display and manage geo-spatial data (maps, images, points that have a geographic location)

More information

Remote Sensing Image Analysis with R. Aniruddah Ghosh and Robert J. Hijmans

Remote Sensing Image Analysis with R. Aniruddah Ghosh and Robert J. Hijmans Aniruddah Ghosh and Robert J. Hijmans Feb 20, 2019 CONTENTS 1 Introduction 3 1.1 Terminology............................................... 3 1.2 Data....................................................

More information

Paul Ramsey PostGIS Gotchas. The Things You Didn't Know That Lead to Confusion and Dismay. Wednesday, November 18, 15

Paul Ramsey PostGIS Gotchas. The Things You Didn't Know That Lead to Confusion and Dismay. Wednesday, November 18, 15 Paul Ramsey PostGIS Gotchas The Things You Didn't Know That Lead to Confusion and Dismay Happy GIS day! What do you call the day after GIS day? PostGIS Day is tomorrow Paul Ramsey

More information

How to convert coordinate system in R

How to convert coordinate system in R How to convert coordinate system in R Dasapta Erwin Irawan 17 June 2014 Affiliation: Applied Geology Research Division, Faculty of Earth Sciences and Technology, Institut Teknologi Bandung Faculty of Agriculture

More information

Lab 2. Vector and raster data.

Lab 2. Vector and raster data. Lab 2. Vector and raster data. The goal: To learn about the structure of the vector and raster data types. Objective: Create vector and raster datasets and visualize them. Software for the lab: ARCINFO,

More information

Monitoring Vegetation in a Changing Climate [D5P3a] Gregory Duveiller August 3, 2018

Monitoring Vegetation in a Changing Climate [D5P3a] Gregory Duveiller August 3, 2018 Monitoring Vegetation in a Changing Climate [D5P3a] Gregory Duveiller August 3, 218 Introduction This document outlines the steps that will be taken in the practicals of Monitoring Vegetation in a Changing

More information

CROP MAPPING WITH SENTINEL-2 JULY 2017, SPAIN

CROP MAPPING WITH SENTINEL-2 JULY 2017, SPAIN _p TRAINING KIT LAND01 CROP MAPPING WITH SENTINEL-2 JULY 2017, SPAIN Table of Contents 1 Introduction to RUS... 3 2 Crop mapping background... 3 3 Training... 3 3.1 Data used... 3 3.2 Software in RUS environment...

More information

Making Maps: Salamander Species in US. Read in the Data

Making Maps: Salamander Species in US. Read in the Data Anything Arc can do, R can do better OR How to lose Arc in 10 days (part 1/n) UA Summer R Workshop: Week 3 Nicholas M. Caruso Christina L. Staudhammer 14 June 2016 Making Maps: Salamander Species in US

More information

Package meteoforecast

Package meteoforecast Type Package Title Numerical Weather Predictions Version 0.51 Date 2017-04-01 Package meteoforecast April 2, 2017 Access to several Numerical Weather Prediction services both in raster format and as a

More information

RASTER ANALYSIS GIS Analysis Fall 2013

RASTER ANALYSIS GIS Analysis Fall 2013 RASTER ANALYSIS GIS Analysis Fall 2013 Raster Data The Basics Raster Data Format Matrix of cells (pixels) organized into rows and columns (grid); each cell contains a value representing information. What

More information

SGLI Level-2 data Mati Kahru

SGLI Level-2 data Mati Kahru SGLI Level-2 data Mati Kahru 2018 1 Working with SGLI Level-2 data Contents Working with SGLI Level-2 data... 1 1 Introduction... 1 2 Evaluating SGLI Level-2 data... 1 3 Finding match-ups in SGLI Level-2

More information

Understanding and Using Geometry, Projections, and Spatial Reference Systems in ArcGIS Annette Locke, Rob Juergens

Understanding and Using Geometry, Projections, and Spatial Reference Systems in ArcGIS Annette Locke, Rob Juergens Understanding and Using Geometry, Projections, and Spatial Reference Systems in ArcGIS Annette Locke, Rob Juergens Introduction We present fundamental concepts necessary for the correct and efficient use

More information

RASTER ANALYSIS GIS Analysis Winter 2016

RASTER ANALYSIS GIS Analysis Winter 2016 RASTER ANALYSIS GIS Analysis Winter 2016 Raster Data The Basics Raster Data Format Matrix of cells (pixels) organized into rows and columns (grid); each cell contains a value representing information.

More information

Final Project. Victor October 21, 2017

Final Project. Victor October 21, 2017 Final Project Victor October 21, 2017 Memo on final graphic Executive summary The terrorist attack of 9/11 sounds like the epic act of terrorism and often makes on feels like America is the country with

More information

Oracle Big Data Spatial and Graph: Spatial Features Roberto Infante 11/11/2015 Latin America Geospatial Forum

Oracle Big Data Spatial and Graph: Spatial Features Roberto Infante 11/11/2015 Latin America Geospatial Forum Oracle Big Data Spatial and Graph: Spatial Features Roberto Infante 11/11/2015 Latin America Geospatial Forum Overview of Spatial features Vector Data Processing Support spatial processing of data stored

More information

GIS Workshop Spring 2016

GIS Workshop Spring 2016 1/ 14 GIS Geographic Information System. An integrated collection of computer software and data used to view and manage information about geographic places, analyze spatial relationships, and model spatial

More information

Spatial data and QGIS

Spatial data and QGIS Spatial data and QGIS Xue Jingbo IT Center 2017.08.07 A GIS consists of: Spatial Data. Computer Hardware. Computer Software. Longitude Latitude Disease Date 26.870436-31.909519 Mumps 13/12/2008 26.868682-31.909259

More information

Projections for use in the Merced River basin

Projections for use in the Merced River basin Instructions to download Downscaled CMIP3 and CMIP5 Climate and Hydrology Projections for use in the Merced River basin Go to the Downscaled CMIP3 and CMIP5 Climate and Hydrology Projections website. 1.

More information

Technical Specifications

Technical Specifications 1 Contents INTRODUCTION...3 ABOUT THIS LAB...3 IMPORTANCE OF THIS MODULE...3 EXPORTING AND IMPORTING DATA...4 VIEWING PROJECTION INFORMATION...5...6 Assigning Projection...6 Reprojecting Data...7 CLIPPING/SUBSETTING...7

More information

Welcome to NR402 GIS Applications in Natural Resources. This course consists of 9 lessons, including Power point presentations, demonstrations,

Welcome to NR402 GIS Applications in Natural Resources. This course consists of 9 lessons, including Power point presentations, demonstrations, Welcome to NR402 GIS Applications in Natural Resources. This course consists of 9 lessons, including Power point presentations, demonstrations, readings, and hands on GIS lab exercises. Following the last

More information

CHAPTER 5 DIGITAL ELEVATION MODEL AND 3D VISUALIZATION

CHAPTER 5 DIGITAL ELEVATION MODEL AND 3D VISUALIZATION CHAPTER 5 DIGITAL ELEVATION MODEL AND 3D VISUALIZATION A digital elevation model (DEM) is a digital model or 3D representation of a terrain's surface. A DEM can be represented as a raster (a grid of squares,

More information

QGIS LAB SERIES GST 102: Spatial Analysis Lab 7: Raster Data Analysis - Density Surfaces

QGIS LAB SERIES GST 102: Spatial Analysis Lab 7: Raster Data Analysis - Density Surfaces QGIS LAB SERIES GST 102: Spatial Analysis Lab 7: Raster Data Analysis - Density Surfaces Objective Learn Density Analysis Methods Document Version: 2014-07-11 (Beta) Contents Introduction...2 Objective:

More information

Bharath Setturu Research scholar, EWRG, Center for Ecological Sciences, IISc, Bangalore & IIIT-HYDERABAD

Bharath Setturu Research scholar, EWRG, Center for Ecological Sciences, IISc, Bangalore & IIIT-HYDERABAD Bharath Setturu Research scholar, EWRG, Center for Ecological Sciences, IISc, Bangalore settur@ces.iisc.ernet.in & IIIT-HYDERABAD Introduction to QGIS oquantum GIS (QGIS) is a GIS tool for managing geographical

More information

GIS data input. In the early days of GIS 1980s and early 1990s. We used canned datasets for teaching (from USA)

GIS data input. In the early days of GIS 1980s and early 1990s. We used canned datasets for teaching (from USA) GIS data input GIS is the automated : acquisition - input management analysis display of spatial data In the early days of GIS 1980s and early 1990s There were no or little GIS data We used canned datasets

More information

Converting Lidar Data to Shapefile and Raster File Format for Analysis and Viewing

Converting Lidar Data to Shapefile and Raster File Format for Analysis and Viewing Converting Lidar Data to Shapefile and Raster File Format for Analysis and Viewing 1. Create a File Based Geodatabase Open ArcCatolog and right click under contents and click New and File Geodatabase where

More information

Bharath Setturu Research scholar, EWRG, Center for Ecological Sciences, IISc, Bangalore & EWRG-CES IIIT-HYDERABAD

Bharath Setturu Research scholar, EWRG, Center for Ecological Sciences, IISc, Bangalore & EWRG-CES IIIT-HYDERABAD Bharath Setturu Research scholar, EWRG, Center for Ecological Sciences, IISc, Bangalore settur@ces.iisc.ernet.in & IIIT-HYDERABAD Introduction to QGIS oquantum GIS (QGIS) is a GIS tool for managing geographical

More information

PROCESSING ZOOPLA HISTORIC DATA

PROCESSING ZOOPLA HISTORIC DATA Number of Adverts PROCESSING ZOOPLA HISTORIC DATA Rod Walpole Scientific Computing Officer Urban Big Data Centre Zoopla has over 27 million residential property records in their archive although only a

More information

Introduction to GeoServer

Introduction to GeoServer Tutorial ID: This tutorial has been developed by BVIEER as part of the IGET web portal intended to provide easy access to geospatial education. This tutorial is released under the Creative Commons license.

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 8. ATTRIBUTE DATA INPUT AND MANAGEMENT 8.1 Attribute Data in GIS 8.1.1 Type of Attribute Table 8.1.2 Database Management 8.1.3 Type of Attribute Data Box 8.1 Categorical and Numeric Data 8.2 The

More information

ROCKY FORK TRACT: VIEWSHED ANALYSIS REPORT

ROCKY FORK TRACT: VIEWSHED ANALYSIS REPORT ROCKY FORK TRACT: VIEWSHED ANALYSIS REPORT Prepared for: The Conservation Fund Prepared by: A Carroll GIS 3711 Skylark Trail Chattanoga, TN 37416 INTRODUCTION This report documents methods and results

More information

First Exam Thurs., Sept 28

First Exam Thurs., Sept 28 First Exam Thurs., Sept 28 Combination of multiple choice questions and map interpretation. Bring a #2 pencil with eraser. Based on class lectures supplementing chapter. Review lecture presentations 9.

More information

ArcMap - EXPLORING THE DATABASE Part I. SPATIAL DATA FORMATS Part II

ArcMap - EXPLORING THE DATABASE Part I. SPATIAL DATA FORMATS Part II Week 5 ArcMap - EXPLORING THE DATABASE Part I SPATIAL DATA FORMATS Part II topics of the week Exploring the Database More on the Table of Contents Exploration tools Identify, Find, Measure, Map tips, Hyperlink,

More information

Chapter 3: Maps as Numbers

Chapter 3: Maps as Numbers Chapter 3: Maps as Numbers 3. Representing Maps as Numbers 3.2 Structuring Attributes 3.3 Structuring Maps 3.4 Why Topology Matters 3.5 Formats for GIS Data 3.6 Exchanging Data David Tenenbaum EEOS 265

More information

8 Geographers Tools: Automated Mapping. Digitizing a Map IMPORTANT 2/19/19. v Tues., Feb. 26, 2019.

8 Geographers Tools: Automated Mapping. Digitizing a Map IMPORTANT 2/19/19. v Tues., Feb. 26, 2019. Next Class: FIRST EXAM v Tues., Feb. 26, 2019. Combination of multiple choice questions and map interpretation. Bring a #2 pencil with eraser. Based on class lectures supplementing Chapter 1. Review lectures

More information

From data source to data view: A practical guide to uploading spatial data sets into MapX

From data source to data view: A practical guide to uploading spatial data sets into MapX From data source to data view: A practical guide to uploading spatial data sets into MapX Thomas Piller UNEP/GRID Geneva I Table of contents 1. Adding a new data source to MapX... 1 1.1 Method 1: upload

More information

Using R for Spatial Analysis. Tina A.

Using R for Spatial Analysis. Tina A. Using R for Spatial Analysis Tina A. Cormier tina@telluslabs.com @TinaACormier Outline What is R & why should you consider using it for geo? What can you do with R? Common challenges Code examples with

More information

Notes: Notes: Notes: Notes:

Notes: Notes: Notes: Notes: NR406 GIS Applications in Fire Ecology & Management Lesson 2 - Overlay Analysis in GIS Gathering Information from Multiple Data Layers One of the many strengths of a GIS is that you can stack several data

More information

Package mapedit. R topics documented: March 2, Title Interactive Editing of Spatial Data in R

Package mapedit. R topics documented: March 2, Title Interactive Editing of Spatial Data in R Title Interactive Editing of Spatial Data in R Package mapedit March 2, 2018 Suite of interactive functions and helpers for selecting and editing geospatial data. Version 0.4.1 Date 2018-03-01 URL https://github.com/r-spatial/mapedit

More information

Total Number of Students in US (millions)

Total Number of Students in US (millions) The goal of this technology assignment is to graph a formula on your calculator and in Excel. This assignment assumes that you have a TI 84 or similar calculator and are using Excel 2007. The formula you

More information

MARS v Release Notes Revised: December 20, 2018 (Builds )

MARS v Release Notes Revised: December 20, 2018 (Builds ) MARS v2019.0 Release Notes Revised: December 20, 2018 (Builds 8399.00 8400.00) Contents New Features:... 2 Enhancements:... 2 List of Bug Fixes... 7 1 STATEMENT OF KNOWN ISSUE: The following Albers coordinate

More information

Package seg. February 15, 2013

Package seg. February 15, 2013 Package seg February 15, 2013 Version 0.2-4 Date 2013-01-21 Title A set of tools for residential segregation research Author Seong-Yun Hong, David O Sullivan Maintainer Seong-Yun Hong

More information

Organizing and Summarizing Data

Organizing and Summarizing Data Section 2.2 9 Organizing and Summarizing Data Section 2.2 C H A P T E R 2 4 Example 2 (pg. 72) A Histogram for Discrete Data To create a histogram, you have two choices: 1): enter all the individual data

More information

8 Geographers Tools: Automated Mapping. Digitizing a Map 2/19/19 IMPORTANT. Revising a Digitized Map. The Digitized Map. vtues., Feb. 26, 2019.

8 Geographers Tools: Automated Mapping. Digitizing a Map 2/19/19 IMPORTANT. Revising a Digitized Map. The Digitized Map. vtues., Feb. 26, 2019. Next Class: FIRST EXAM 8 Geographers Tools: Automated Mapping vtues., Feb. 26, 2019. Combination of multiple choice questions and map interpretation. Bring a #2 pencil with eraser. Based on class lectures

More information

GIS-Generated Street Tree Inventory Pilot Study

GIS-Generated Street Tree Inventory Pilot Study GIS-Generated Street Tree Inventory Pilot Study Prepared for: MSGIC Meeting Prepared by: Beth Schrayshuen, PE Marla Johnson, GISP 21 July 2017 Agenda 2 Purpose of Street Tree Inventory Pilot Study Evaluation

More information

NV CCS USER S GUIDE V1.1 ADDENDUM

NV CCS USER S GUIDE V1.1 ADDENDUM NV CCS USER S GUIDE V1.1 ADDENDUM PAGE 1 FOR CREDIT PROJECTS THAT PROPOSE TO MODIFY CONIFER COVER Released 5/19/2016 This addendum provides instructions for evaluating credit projects that propose to treat

More information

Package geogrid. August 19, 2018

Package geogrid. August 19, 2018 Package geogrid August 19, 2018 Title Turn Geospatial Polygons into Regular or Hexagonal Grids Version 0.1.0.1 Turn irregular polygons (such as geographical regions) into regular or hexagonal grids. This

More information

Key Terms. Attribute join Target table Join table Spatial join

Key Terms. Attribute join Target table Join table Spatial join Key Terms Attribute join Target table Join table Spatial join Lect 10A Building Geodatabase Create a new file geodatabase Map x,y data Convert shape files to geodatabase feature classes Spatial Data Formats

More information

QGIS Tutorials Documentation

QGIS Tutorials Documentation QGIS Tutorials Documentation Release 0.1 Nathaniel Roth November 30, 2016 Contents 1 Installation 3 1.1 Basic Installation............................................. 3 1.2 Advanced Installation..........................................

More information

Logan City GIS Master Plan. Term Project. Colton Smith. David Tarboton CEE 6440

Logan City GIS Master Plan. Term Project. Colton Smith. David Tarboton CEE 6440 Logan City GIS Master Plan Term Project Colton Smith David Tarboton CEE 6440 November 29, 2012 Introduction Logan City has lots of data available for streets, canals, trails, zoning maps, and municipalities.

More information

LINEAR FUNCTIONS WITH LITERATURE BOOKS

LINEAR FUNCTIONS WITH LITERATURE BOOKS LINEAR FUNCTIONS WITH LITERATURE BOOKS Book: There Were Ten in the Den by John Butler 1.) Give a short synopsis of the story. Ten sleepy animals snuggle together for the night in their warm and cozy den,

More information

GIS Basics for Urban Studies

GIS Basics for Urban Studies GIS Basics for Urban Studies Date: March 21, 2018 Contacts: Mehdi Aminipouri, Graduate Peer GIS Faciliator, SFU Library (maminipo@sfu.ca) Keshav Mukunda, GIS & Map Librarian Librarian for Geography (kmukunda@sfu.ca)

More information

Quadratics Functions: Review

Quadratics Functions: Review Quadratics Functions: Review Name Per Review outline Quadratic function general form: Quadratic function tables and graphs (parabolas) Important places on the parabola graph [see chart below] vertex (minimum

More information

MRR (Multi Resolution Raster) Revolutionizing Raster

MRR (Multi Resolution Raster) Revolutionizing Raster MRR (Multi Resolution Raster) Revolutionizing Raster Praveen Gupta Praveen.Gupta@pb.com Pitney Bowes, Noida, India T +91 120 4026000 M +91 9810 659 350 Pitney Bowes, pitneybowes.com/in 5 th Floor, Tower

More information

Modern Tools for NTDs Control Programmes

Modern Tools for NTDs Control Programmes Modern Tools for NTDs Control Programmes www.thiswormyworld.org Practical 1 Becoming familiar with QGIS interface and GIS features www.thiswormyworld.org 2 Aim of practical This first practical aims to

More information

GST 101: Introduction to Geospatial Technology Lab 2 - Spatial Data Models

GST 101: Introduction to Geospatial Technology Lab 2 - Spatial Data Models GST 101: Introduction to Geospatial Technology Lab 2 - Spatial Data Models Objective Explore and Understand Spatial Data Models Document Version: 3/3/2015 FOSS4G Lab Author: Kurt Menke, GISP Bird's Eye

More information

Bronx Bus Stops, New York NY, May 2016

Bronx Bus Stops, New York NY, May 2016 Page 1 of 6 Metadata format: ISO 19139 Bronx Bus Stops, New York NY, May 2016 ISO 19139 metadata content Resource Identification Information Spatial Representation Information Reference System Information

More information

Terms and definitions * keep definitions of processes and terms that may be useful for tests, assignments

Terms and definitions * keep definitions of processes and terms that may be useful for tests, assignments Lecture 1 Core of GIS Thematic layers Terms and definitions * keep definitions of processes and terms that may be useful for tests, assignments Lecture 2 What is GIS? Info: value added data Data to solve

More information