Spatial plotting in R

Size: px
Start display at page:

Download "Spatial plotting in R"

Transcription

1 Spatial plotting in R Contents Introduction Plotting various spatial objects Using plot() Using spplot() Introduction One of the biggest advantages of working with spatial data is you can easily visualualize the spatial variation of the data. You do it by making maps. Maps are everywhere! In this session, we will focus on making maps using both raster and spatail class data. Like basic plots, for making maps there are number packages and functions available. However, with the following two functions from sp packages a large number of plotting can be done. 1. plot based on base R plotting system 2. spplot based on grid system plot allows incremental addition of graphical elements in a single plotting device; whereas spplot does not allow such addition (similar to lattice or ggplot2). spplot makes maps with shared axes which makes visualization and comparison of multiple maps much easier. Plotting various spatial objects We will plot various raster (elevation) and vector data (administrative boundaries, rivers, lakes and protected areas) of Tanzania. First we will use the plot function. Make sure your working directory is data directory for this specific excercise. Important Some of the vector data is in *.shp file format while others is in *.rds R database format. You can save anykind of data in *.rds format. Use readrds and saverds to read and save data in *.rds format respectively. 1

2 Using plot() library(raster) #setwd("...") v0 <- readrds('tza_adm0.rds') plot(v0, border = "red") title(main = "Tanzania national boundary", sub = "source GADM") Tanzania national boundary source GADM Ex 1: Fill the polygon using a different color and change increase the thickness of the border 2

3 Color individual regions We will use the region boundaries from GADM database (level = 1) v1 <- readrds('tza_adm1.rds') # Each region should have different color; we will use the color ramp n <- length(v1$name_1) plot(v1, col=rainbow(n), main = 'Administrative boundary: level 1') # Now add name of the indiviudal regions to the map text(v1, v1$name_1, cex=0.75) Administrative boundary: level 1 Kagera Mara Mwanza Simiyu Geita Shinyanga Arusha Kilimanjaro Kigoma Katavi Rukwa Tabora Mbeya Singida Dodoma Iringa Manyara Morogoro Tanga Pemba North Pemba South Zanzibar North Zanzibar Zanzibar South West and Central Dar es Salaam Pwani Njombe Lindi Ruvuma Mtwara Ex 2: Read and plot level 2 administrative boundaries of Tanzania. Give different colors to the regions. Add SpatialLines object to your plot We will plot the river. 3

4 rv <- shapefile('tanzania_rivers.shp') plot(v0, border = "red", lwd = 2, axes = TRUE) plot(rv, col='blue', add = TRUE) title(main = "Tanzania rivers") # Add some more details legend('topright', legend = 'River', lty = 1, lwd = 2, col = 'blue', bty = "n") Tanzania rivers 12 S 10 S 8 S 6 S 4 S 2 S River 30 E 32 E 34 E 36 E 38 E 40 E Ex 3. Change the country boundary color, river color and place the legend in the bottom left of the plot. Add additional SpatialPolygons Now we will plot the lake and protected areas of Tanzania. First read the required boundaries. lake <- shapefile('tza_glwd.shp') protarea <- shapefile('tza_wdpa.shp') plot(v0, lwd = 2, axes = TRUE) 4

5 plot(lake, col='lightblue', border = 'transparent', add = TRUE) plot(protarea, col='lightgreen', border = 'transparent', add = TRUE) title(main = "Tanzania lakes and protected area") Tanzania lakes and protected area 12 S 10 S 8 S 6 S 4 S 2 S 30 E 32 E 34 E 36 E 38 E 40 E Note the border= transparent option suppresses the plotting of polygon borders. Ex 4. Check what happens when you don t use the border argument in while plotting lake and protected areas. Plot Raster We will plot the elevation of Tanzania. alt <- raster('tza_alt.tif') plot(alt, col = terrain.colors(20), axes=false) title(main = "Elevation (in m)") 5

6 Elevation (in m) To improve the visualization, we can limit the higher and lower elevataion zones. alt[alt < 0] = 0 alt[alt > 3000] = 3000 plot(alt, col = terrain.colors(20), axes=false) title(main = "Elevation (in m)") 6

7 Elevation (in m) Plotting two raster layers We will show elevation and avergae annual temperature in the same plot. temp <- raster('tza_bio1.tif') temp[temp < 0] = 0 par(mfrow=c(1,2)) plot(alt, col = terrain.colors(20), axes=false) title(main = "Elevation (in m)") plot(temp, col = rev(heat.colors(50)), axes=false) title(main ="Annual Mean Temp ( C)") 7

8 Elevation (in m) Annual Mean Temp ( C) Adding Spatial *object to raster We will add the lake, rivers and administrative boundaries to the elevation raster plot plot(alt, col = terrain.colors(20), legend = FALSE) plot(lake, col='skyblue1', border = 'transparent', add = TRUE) plot(rv, col='blue1', add = TRUE) plot(v0, lwd = 2, axes = TRUE, add = TRUE) title(main = "Lakes and rivers of Tanzania") 8

9 Lakes and rivers of Tanzania Using spplot() We will use spplot for different plotting applications. # Use soil properties information; Soil organic carbon content and soil ph orc <- raster('tza_orc.tif') ph <- raster('tza_ph.tif') soil <- stack(orc, ph) orc[orc>80]<- 80 spplot(orc, main = list(label="soil organic carbon content", 9 cex = 1))

10 Soil organic carbon content # change the ph values between 0 to 14 ph <- ph/10 spplot(ph, main = list(label="soil ph", cex = 1)) 10

11 Soil ph Now to change the color ramp and change legend position: brks <- seq(0,60,0.5) spplot(orc, at = round(brks, digits=2), col.regions = rev(terrain.colors(length(brks))), colorkey = list(space = "bottom"), main = list(label="soil organic carbon content", cex = 1)) 11

12 Soil organic carbon content Ex 5. Make similar changes to ph plot. Hint: the brks will take place at differnt sequence based on ph values Adding Spatial *object to raster We will add the lake and administrative boundary to the elevation raster plot pols <- list("sp.lines", as(v0, 'SpatialLines')) brks <- seq(0,60,0.5) spplot(orc, sp.layout=pols, at = round(brks, digits=2), col.regions = rev(terrain.colors(length(brks))), colorkey = list(space = "bottom"), main = list(label="soil organic carbon content", cex = 1)) 12

13 Soil organic carbon content See the difference with plot function. There is no use of add=true argument. You can also add multiple SpatialObjects to the plot. pols1 <- list("sp.lines", as(v0, 'SpatialLines'), col = gray(0.4), lwd = 0.5) pols2 <- list("sp.polygons", as(lake, 'SpatialPolygons'), fill = 'skyblue1',col="transparent", first = F brks <- seq(0,60,0.5) spplot(orc, sp.layout=list(pols1, pols2), at = round(brks, digits=2), col.regions = rev(terrain.colors(length(brks))), colorkey = list(space = "bottom"), main = list(label="soil organic carbon content", cex = 1)) 13

14 Soil organic carbon content Ex 6. Add the protected area boundaries to the plot. Donot fill the protected area polygon with any color. Plot multiband raster object You can also use ssplot to plot multiband raster brks <- seq(0,70,0.5) ph <- ph*10 soil <- stack(orc,ph) spplot(soil, layout = c(2,1), at = round(brks, digits=2), col.regions = rev(terrain.colors(length(brks))), colorkey = list(space = "bottom"), main = list(label="soil properties", cex = 1)) 14

15 Soil properties TZA_ORC TZA_PH Ex 7.* Save your favorite plot using the following: png(filename = "your-favorite-plot", width = 250, height = 200, units = "mm", res = 300) plot... spplot... dev.off() 15

THE UNITED REPUBLIC OF TANZANIA MINISTRY OF WORKS, TRANSPORT AND COMMUNICATION TANZANIA METEOROLOGICAL AGENCY

THE UNITED REPUBLIC OF TANZANIA MINISTRY OF WORKS, TRANSPORT AND COMMUNICATION TANZANIA METEOROLOGICAL AGENCY THE UNITED REPUBLIC OF TANZANIA MINISTRY OF WORKS, TRANSPORT AND COMMUNICATION TANZANIA METEOROLOGICAL AGENCY CLIMATE OUTLOOK FOR TANZANIA MARCH MAY, 2018 MASIKA RAINFALL SEASON Highlights for March May,

More information

THE UNITED REPUBLIC OF TANZANIA MINISTRY OF WORKS, TRANSPORT AND COMMUNICATION TANZANIA METEOROLOGICAL AGENCY

THE UNITED REPUBLIC OF TANZANIA MINISTRY OF WORKS, TRANSPORT AND COMMUNICATION TANZANIA METEOROLOGICAL AGENCY THE UNITED REPUBLIC OF TANZANIA MINISTRY OF WORKS, TRANSPORT AND COMMUNICATION TANZANIA METEOROLOGICAL AGENCY Telegrams:"METEO"DAR ES SALAAM. Telex: 41442 HEWA Telephone: 255 (0) 22 2460718 Telefax: 255

More information

THE UNITED REPUBLIC OF TANZANIA 2014/15 ANNUAL AGRICULTURAL SAMPLE SURVEY REPORT

THE UNITED REPUBLIC OF TANZANIA 2014/15 ANNUAL AGRICULTURAL SAMPLE SURVEY REPORT THE UNITED REPUBLIC OF TANZANIA 2014/15 ANNUAL AGRICULTURAL SAMPLE SURVEY REPORT Ministry of Agriculture, Livestock and Fisheries; Ministry of Agriculture and Natural Resource, Zanzibar; Ministry of Livestock

More information

Any progress in the reduction of poverty in South Asia?

Any progress in the reduction of poverty in South Asia? UNGIWG BANGKOK 30 NOV 2007 Any progress in the reduction of poverty in South Asia? 1 12 Indicator Unit Area ID, Name Data Value Subgroups Time Period Data Source MDG 1 Eradicate Extreme Poverty People

More information

How to Develop Master Sampling Frames using Dot Sampling Method and Google Earth

How to Develop Master Sampling Frames using Dot Sampling Method and Google Earth How to Develop Master Sampling Frames using Dot Sampling Method and Google Earth Issei Jinguji. Agricultural statistics. JICA expert. Project for Capacity Development for the ASDP Monitoring and Evaluation

More information

The United Republic of Tanzania

The United Republic of Tanzania The United Republic of Tanzania CRIME AND TRAFFIC INCIDENTS STATISTICS REPORT JANUARY TO DECEMBER 2016 January 2017 Vision To be a professional, modern, and community-centered Police Force that plays

More information

Urbanisation in Tanzania

Urbanisation in Tanzania Working paper E-40104-TZA-1/2/3 Urbanisation in Tanzania Population Growth, Internal Migration and Urbanisation in Tanzania 1967-2012: A Census-Based Regional Analysis Tanzania s Urban Population, 1967-2012

More information

Spatially Explicit Burden Estimates of Malaria in Tanzania: Bayesian Geostatistical Modeling of the Malaria Indicator Survey Data

Spatially Explicit Burden Estimates of Malaria in Tanzania: Bayesian Geostatistical Modeling of the Malaria Indicator Survey Data Spatially Explicit Burden Estimates of Malaria in Tanzania: Bayesian Geostatistical Modeling of the Malaria Indicator Survey Data Laura Gosoniu 1, Amina Msengwa 2, Christian Lengeler 1, Penelope Vounatsou

More information

URBAN PLANNING STUDY FOR TANZANIA IMPACT AND EFFECTIVENESS OF URBAN PLANNING ON CITY SPATIAL DEVELOPMENT. BACKGROUND PROFILE OF CITIES October 2017

URBAN PLANNING STUDY FOR TANZANIA IMPACT AND EFFECTIVENESS OF URBAN PLANNING ON CITY SPATIAL DEVELOPMENT. BACKGROUND PROFILE OF CITIES October 2017 URBAN PLANNING STUDY FOR TANZANIA IMPACT AND EFFECTIVENESS OF URBAN PLANNING ON CITY SPATIAL DEVELOPMENT BACKGROUND PROFILE OF CITIES October 2017 Prepared by: Chyi-Yun Huang Dr. Ally Namangaya MaryGrace

More information

ANALYSIS OF RAINFALL CHARACTERISTICS IN TANZANIA FOR CLIMATE CHANGE SIGNALS'/

ANALYSIS OF RAINFALL CHARACTERISTICS IN TANZANIA FOR CLIMATE CHANGE SIGNALS'/ ANALYSIS OF RAINFALL CHARACTERISTICS IN TANZANIA FOR CLIMATE CHANGE SIGNALS'/ PROJECT REPORT UNIVERSITY OF NAIROBI SCHOOL OF PHYSICAL SCIENCES DEPARTMENT OF METEOROLOGY EMANUEL TUMAINI I 45/60021/2009

More information

Using R for Epidemiological Analysis

Using R for Epidemiological Analysis Using R for Epidemiological Analysis Practical 3: Disease Mapping in R Introduction In this session we will use R to do some disease mapping. We will work through an example of how to create basic maps

More information

Global Atmospheric Circulation Patterns Analyzing TRMM data Background Objectives: Overview of Tasks must read Turn in Step 1.

Global Atmospheric Circulation Patterns Analyzing TRMM data Background Objectives: Overview of Tasks must read Turn in Step 1. Global Atmospheric Circulation Patterns Analyzing TRMM data Eugenio Arima arima@hws.edu Hobart and William Smith Colleges Department of Environmental Studies Background: Have you ever wondered why rainforests

More information

VALIDATION OF SATELLITE RAINFALL ESTIMATES USING GAUGE RAINFALL OVER TANZANIA MOHAMED MOHAMED HAMIS REGISTRATION NO: I45/84346/2012

VALIDATION OF SATELLITE RAINFALL ESTIMATES USING GAUGE RAINFALL OVER TANZANIA MOHAMED MOHAMED HAMIS REGISTRATION NO: I45/84346/2012 VALIDATION OF SATELLITE RAINFALL ESTIMATES USING GAUGE RAINFALL OVER TANZANIA BY MOHAMED MOHAMED HAMIS REGISTRATION NO: I45/84346/2012 A PROJECT SUBMITTED TO THE DEPARTMENT OF METEOROLOGY IN PARTIAL FULFILLMENT

More information

THE CLIMATOLOGICAL REGIONS OF TANZANIA BASED ON THE RAINFALL CHARACTERISTICS

THE CLIMATOLOGICAL REGIONS OF TANZANIA BASED ON THE RAINFALL CHARACTERISTICS INTERNATIONAL JOURNAL OF CLIMATOLOGY Int. J. Climatol. 19: 69 80 (1999) THE CLIMATOLOGICAL REGIONS OF TANZANIA BASED ON THE RAINFALL CHARACTERISTICS C.P.K. BASALIRWA a, *, J.O. ODIYO b, R.J. MNGODO b and

More information

Spatial is special. The earth is not flat (coordinate reference systems) Size: lots and lots of it, multivariate, time series

Spatial is special. The earth is not flat (coordinate reference systems) Size: lots and lots of it, multivariate, time series Spatial data with Spatial is special Complex: geometry and attributes The earth is not flat (coordinate reference systems) Size: lots and lots of it, multivariate, time series Special plots: maps First

More information

Population growth, internal migration, and urbanisation in Tanzania,

Population growth, internal migration, and urbanisation in Tanzania, Working paper Population growth, internal migration, and urbanisation in Tanzania, 1967-2012 Phase 2 (Final report) Hugh Wenban-Smith September 2015 POPULATION GROWTH, INTERNAL MIGRATION AND URBANISATION

More information

Findings from a Search for R Spatial Analysis Support. Donald L. Schrupp Wildlife Ecologist Colorado Division of Wildlife (Retired)

Findings from a Search for R Spatial Analysis Support. Donald L. Schrupp Wildlife Ecologist Colorado Division of Wildlife (Retired) Findings from a Search for R Spatial Analysis Support Donald L. Schrupp Wildlife Ecologist Colorado Division of Wildlife (Retired) Findings from a Search for R Spatial Analysis Support === Approach Steps

More information

Public Expenditure Review (In Two Volumes) Volume 2: Statistical Appendix

Public Expenditure Review (In Two Volumes) Volume 2: Statistical Appendix Public Disclosure Authorized Public Disclosure Authorized Public Disclosure Authorized Public Disclosure Authorized Report No. 16578-TA Tanzania Public Expenditure Review (In Two Volumes) Volume 2: Statistical

More information

Groundwater vulnerability to geogenic contaminants: a case study, Tanzania

Groundwater vulnerability to geogenic contaminants: a case study, Tanzania 36th WEDC International Conference, Nakuru, Kenya, 2013 DELIVERING WATER, SANITATION AND HYGIENE SERVICES IN AN UNCERTAIN ENVIRONMENT Groundwater vulnerability to geogenic contaminants: a case study, Tanzania

More information

Visual Studies Exercise, Assignment 07 (Architectural Paleontology) Geographic Information Systems (GIS), Part II

Visual Studies Exercise, Assignment 07 (Architectural Paleontology) Geographic Information Systems (GIS), Part II ARCH1291 Visual Studies II Week 8, Spring 2013 Assignment 7 GIS I Prof. Alihan Polat Visual Studies Exercise, Assignment 07 (Architectural Paleontology) Geographic Information Systems (GIS), Part II Medium:

More information

The Choropleth Map Slide #2: Choropleth mapping enumeration units

The Choropleth Map Slide #2: Choropleth mapping enumeration units The Choropleth Map Slide #2: Choropleth mapping is a common technique for representing enumeration data These are maps where enumeration units, such as states or countries, are shaded a particular color

More information

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

What are the five components of a GIS? A typically GIS consists of five elements: - Hardware, Software, Data, People and Procedures (Work Flows)

What are the five components of a GIS? A typically GIS consists of five elements: - Hardware, Software, Data, People and Procedures (Work Flows) LECTURE 1 - INTRODUCTION TO GIS Section I - GIS versus GPS What is a geographic information system (GIS)? GIS can be defined as a computerized application that combines an interactive map with a database

More information

cor(dataset$measurement1, dataset$measurement2, method= pearson ) cor.test(datavector1, datavector2, method= pearson )

cor(dataset$measurement1, dataset$measurement2, method= pearson ) cor.test(datavector1, datavector2, method= pearson ) Tutorial 7: Correlation and Regression Correlation Used to test whether two variables are linearly associated. A correlation coefficient (r) indicates the strength and direction of the association. A correlation

More information

Introduction to GIS I

Introduction to GIS I Introduction to GIS Introduction How to answer geographical questions such as follows: What is the population of a particular city? What are the characteristics of the soils in a particular land parcel?

More information

INTERNATIONAL JOURNAL OF GEOMATICS AND GEOSCIENCES

INTERNATIONAL JOURNAL OF GEOMATICS AND GEOSCIENCES INTERNATIONAL JOURNAL OF GEOMATICS AND GEOSCIENCES Volume 6, No 2, 215 Copyright by the authors - Licensee IPA- Under Creative Commons license 3. Research article ISSN 976 438 Hydrogeological mapping and

More information

Working with Digital Elevation Models in ArcGIS 8.3

Working with Digital Elevation Models in ArcGIS 8.3 Working with Digital Elevation Models in ArcGIS 8.3 The homework that you need to turn in is found at the end of this document. This lab continues your introduction to using the Spatial Analyst Extension

More information

Developing Database and GIS (First Phase)

Developing Database and GIS (First Phase) 13.3 Developing Database and GIS (First Phase) 13.3.1 Unifying GIS Coordinate System There are several data sources which have X, Y coordinate. In one study, UTM is used, in the other study, geographic

More information

Handling Raster Data for Hydrologic Applications

Handling Raster Data for Hydrologic Applications Handling Raster Data for Hydrologic Applications Prepared by Venkatesh Merwade Lyles School of Civil Engineering, Purdue University vmerwade@purdue.edu January 2018 Objective The objective of this exercise

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

GIS IN ECOLOGY: ANALYZING RASTER DATA

GIS IN ECOLOGY: ANALYZING RASTER DATA GIS IN ECOLOGY: ANALYZING RASTER DATA Contents Introduction... 2 Raster Tools and Functionality... 2 Data Sources... 3 Tasks... 4 Getting Started... 4 Creating Raster Data... 5 Statistics... 8 Surface

More information

Pioneering Geothermal Development in Tanzania Geothermal Exploration Drilling Activities

Pioneering Geothermal Development in Tanzania Geothermal Exploration Drilling Activities Pioneering Geothermal Development in Tanzania Geothermal Exploration Drilling Activities GGDP Round table, 19.11.2013, The Hague Dr. Horst Kreuter, Director, Geothermal Power Tanzania Ltd Geothermal in

More information

Exercise 4 Estimating the effects of sea level rise on coastlines by reclassification

Exercise 4 Estimating the effects of sea level rise on coastlines by reclassification Exercise 4 Estimating the effects of sea level rise on coastlines by reclassification Due: Thursday February 1; at the start of class Goal: Get familiar with symbolizing and making time-series maps of

More information

Gis Unit TropMed Mahidol U.

Gis Unit TropMed Mahidol U. Gis Unit TropMed Mahidol U. Database Information System Database Concepts 1. Non-Spatial Database table, document.. 2. Spatial Database locational databases (geographic) + attribute databases Gis Unit

More information

Overlay Analysis II: Using Zonal and Extract Tools to Transfer Raster Values in ArcMap

Overlay Analysis II: Using Zonal and Extract Tools to Transfer Raster Values in ArcMap Overlay Analysis II: Using Zonal and Extract Tools to Transfer Raster Values in ArcMap Created by Patrick Florance and Jonathan Gale, Edited by Catherine Ressijac on March 26, 2018 If you have raster data

More information

Package RSwissMaps. October 3, 2017

Package RSwissMaps. October 3, 2017 Title Plot and Save Customised Swiss Maps Version 0.1.0 Package RSwissMaps October 3, 2017 Allows to link data to Swiss administrative divisions (municipalities, districts, cantons) and to plot and save

More information

UNITED REPUBLIC OF TANZANIA Area: 937,062 km 2 Populatioa: 20.4 million (United Nations estimate, 1983) I BACKGROUND - SURF ACE VIA TER Moat of the territory of the United Republic of Tanzania is situated

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

Creating Watersheds from a DEM

Creating Watersheds from a DEM Creating Watersheds from a DEM These instructions enable you to create watersheds of specified area using a good quality Digital Elevation Model (DEM) in ArcGIS 8.1. The modeling is performed in ArcMap

More information

Grid to LandGrid Volumetrics Workflow

Grid to LandGrid Volumetrics Workflow Grid to LandGrid Volumetrics Workflow Petra User Group Session Series Armin Schafer Technical Advisor Petra/Kingdom/GeoSyn/LogArc Encana Amphitheatre Nov 22, 2011 noon 1 pm PURPOSE: to demonstrate the

More information

10/13/2011. Introduction. Introduction to GPS and GIS Workshop. Schedule. What We Will Cover

10/13/2011. Introduction. Introduction to GPS and GIS Workshop. Schedule. What We Will Cover Introduction Introduction to GPS and GIS Workshop Institute for Social and Environmental Research Nepal October 13 October 15, 2011 Alex Zvoleff azvoleff@mail.sdsu.edu http://rohan.sdsu.edu/~zvoleff Instructor:

More information

Transactions on Information and Communications Technologies vol 18, 1998 WIT Press, ISSN

Transactions on Information and Communications Technologies vol 18, 1998 WIT Press,   ISSN STREAM, spatial tools for river basins, environment and analysis of management options Menno Schepel Resource Analysis, Zuiderstraat 110, 2611 SJDelft, the Netherlands; e-mail: menno.schepel@resource.nl

More information

The Geodatabase Working with Spatial Analyst. Calculating Elevation and Slope Values for Forested Roads, Streams, and Stands.

The Geodatabase Working with Spatial Analyst. Calculating Elevation and Slope Values for Forested Roads, Streams, and Stands. GIS LAB 7 The Geodatabase Working with Spatial Analyst. Calculating Elevation and Slope Values for Forested Roads, Streams, and Stands. This lab will ask you to work with the Spatial Analyst extension.

More information

INTRODUCTION TO GEOGRAPHIC INFORMATION SYSTEM By Reshma H. Patil

INTRODUCTION TO GEOGRAPHIC INFORMATION SYSTEM By Reshma H. Patil INTRODUCTION TO GEOGRAPHIC INFORMATION SYSTEM By Reshma H. Patil ABSTRACT:- The geographical information system (GIS) is Computer system for capturing, storing, querying analyzing, and displaying geospatial

More information

Geographers Perspectives on the World

Geographers Perspectives on the World What is Geography? Geography is not just about city and country names Geography is not just about population and growth Geography is not just about rivers and mountains Geography is a broad field that

More information

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

Data Creation and Editing

Data Creation and Editing 11.520:A Workshop on Geographical Information Systems 1.188: Urban Planning and Social Science Laboratory Data Creation and Editing Based in part on notes by Prof. Joseph Ferreira and Michael Flaxman Lulu

More information

Climate variability and satellite observed vegetation responses in Tanzania

Climate variability and satellite observed vegetation responses in Tanzania Seminar series nr 205 Climate variability and satellite observed vegetation responses in Tanzania Wilbert Timiza 2011 Department of Earth and Ecosystem Sciences Physical Geography and Ecosystems Analysis

More information

Lab 7: Cell, Neighborhood, and Zonal Statistics

Lab 7: Cell, Neighborhood, and Zonal Statistics Lab 7: Cell, Neighborhood, and Zonal Statistics Exercise 1: Use the Cell Statistics function to detect change In this exercise, you will use the Spatial Analyst Cell Statistics function to compare the

More information

Outline Anatomy of ArcGIS Metadata Data Types Vector Raster Conversion Adding Data Navigation Symbolization Methods Layer Files Editing Help Files

Outline Anatomy of ArcGIS Metadata Data Types Vector Raster Conversion Adding Data Navigation Symbolization Methods Layer Files Editing Help Files UPlan Training Lab Exercise: Introduction to ArcGIS Outline Anatomy of ArcGIS Metadata Data Types Vector Raster Conversion Adding Data Navigation Symbolization Methods Layer Files Editing Help Files Anatomy

More information

INTRODUCTION TO GIS. Practicals Guide. Chinhoyi University of Technology

INTRODUCTION TO GIS. Practicals Guide. Chinhoyi University of Technology INTRODUCTION TO GIS Practicals Guide Chinhoyi University of Technology Lab 1: Basic Visualisation You have been requested to make a map of Zimbabwe showing the international boundary and provinces. The

More information

In this exercise we will learn how to use the analysis tools in ArcGIS with vector and raster data to further examine potential building sites.

In this exercise we will learn how to use the analysis tools in ArcGIS with vector and raster data to further examine potential building sites. GIS Level 2 In the Introduction to GIS workshop we filtered data and visually examined it to determine where to potentially build a new mixed use facility. In order to get a low interest loan, the building

More information

GEOFOTO GROUP LTD. Buzinski prilaz 28, Zagreb, Croatia tel.: ,

GEOFOTO GROUP LTD. Buzinski prilaz 28, Zagreb, Croatia   tel.: , GEOFOTO GROUP LTD. Buzinski prilaz 28, 10010 Zagreb, Croatia www.geofoto-group.hr tel.: +385 91 9594 015, email: marketing@geofoto-group.hr, zvonko.biljecki@geofoto-group.hr VAT: HR63385121762, IBAN: HR1824000081110243303,

More information

Lesson Plan 2 - Middle and High School Land Use and Land Cover Introduction. Understanding Land Use and Land Cover using Google Earth

Lesson Plan 2 - Middle and High School Land Use and Land Cover Introduction. Understanding Land Use and Land Cover using Google Earth Understanding Land Use and Land Cover using Google Earth Image an image is a representation of reality. It can be a sketch, a painting, a photograph, or some other graphic representation such as satellite

More information

Explore the data. Anja Bråthen Kristoffersen Biomedical Research Group

Explore the data. Anja Bråthen Kristoffersen Biomedical Research Group Explore the data Anja Bråthen Kristoffersen Biomedical Research Group density 0.2 0.4 0.6 0.8 Probability distributions Can be either discrete or continuous (uniform, bernoulli, normal, etc) Defined by

More information

Overview of the spnet package

Overview of the spnet package Overview of the spnet package Emmanuel Rousseaux, Marion Deville and Gilbert Ritschard 2015.07.29 Contents Introduction................................................. 2 Gallery...................................................

More information

Chapter 2 Exploratory Data Analysis

Chapter 2 Exploratory Data Analysis Chapter 2 Exploratory Data Analysis 2.1 Objectives Nowadays, most ecological research is done with hypothesis testing and modelling in mind. However, Exploratory Data Analysis (EDA), which uses visualization

More information

Hot Spot / Point Density Analysis: Kernel Smoothing

Hot Spot / Point Density Analysis: Kernel Smoothing Hot Spot / Point Density Analysis: Kernel Smoothing Revised by Carolyn Talmadge on January 15, 2016 SETTING UP... 1 ENABLING THE SPATIAL ANALYST EXTENSION... 1 SET UP YOUR ANALYSIS OPTIONS IN ENVIRONMENTS...

More information

Geographical Information Systems

Geographical Information Systems Geographical Information Systems Geographical Information Systems (GIS) is a relatively new technology that is now prominent in the ecological sciences. This tool allows users to map geographic features

More information

DATA COLLECTION SURVEY ON GEOTHERMAL ENERGY DEVELOPMENT IN EAST AFRICA FINAL REPORT (TANZANIA)

DATA COLLECTION SURVEY ON GEOTHERMAL ENERGY DEVELOPMENT IN EAST AFRICA FINAL REPORT (TANZANIA) DATA COLLECTION SURVEY ON GEOTHERMAL ENERGY DEVELOPMENT IN EAST AFRICA FINAL REPORT (TANZANIA) January 2014 JAPAN INTERNATIONAL COOPERATION AGENCY WEST JAPAN ENGINEERING CONSULTANTS, INC. MITSUBISHI MATERIALS

More information

ACKNOWLEDGMENTS. This paper is based on research funded by the Rockefeller Foundation. I would

ACKNOWLEDGMENTS. This paper is based on research funded by the Rockefeller Foundation. I would ACKNOWLEDGMENTS This paper is based on research funded by the Rockefeller Foundation. I would like to thank Todd Benson and Jordan Chamberlin for their kind assistance in constructing the GIS market access

More information

GeoWEPP Tutorial Appendix

GeoWEPP Tutorial Appendix GeoWEPP Tutorial Appendix Chris S. Renschler University at Buffalo - The State University of New York Department of Geography, 116 Wilkeson Quad Buffalo, New York 14261, USA Prepared for use at the WEPP/GeoWEPP

More information

Performing Advanced Cartography with Esri Production Mapping

Performing Advanced Cartography with Esri Production Mapping Esri International User Conference San Diego, California Technical Workshops July 25, 2012 Performing Advanced Cartography with Esri Production Mapping Tania Pal & Madhura Phaterpekar Agenda Outline generic

More information

9-25. Sediment in Massai Steppe. Lake Natron, Lake Eyasi, Lake Manyara, Bahi swamp, part of Bubu river Purple. Purple-red Saline lake, swamp

9-25. Sediment in Massai Steppe. Lake Natron, Lake Eyasi, Lake Manyara, Bahi swamp, part of Bubu river Purple. Purple-red Saline lake, swamp 9.5 Productivity Analysis and Hydrogeological Map 9.5.1 Productivity Analysis Productivity distribution of groundwater was presumed by the geological condition, yield of existing wells, rainfall, topographic

More information

Watersheds : Spatial watershed aggregation and spatial drainage network analysis

Watersheds : Spatial watershed aggregation and spatial drainage network analysis Watersheds : Spatial watershed aggregation and spatial drainage network analysis Jairo A. Torres Institute for Geoinformatics, University of Münster, Münster, Germany arturo.torres@uni-muenster.de August

More information

Canadian climate: function-on-function regression

Canadian climate: function-on-function regression Canadian climate: function-on-function regression Sarah Brockhaus Institut für Statistik, Ludwig-Maximilians-Universität München, Ludwigstraße 33, D-0539 München, Germany. The analysis is based on the

More information

Map image from the Atlas of Oregon (2nd. Ed.), Copyright 2001 University of Oregon Press

Map image from the Atlas of Oregon (2nd. Ed.), Copyright 2001 University of Oregon Press Map Layout and Cartographic Design with ArcGIS Desktop Matthew Baker ESRI Educational Services Redlands, CA Education UC 2008 1 Seminar overview General map design principles Working with map elements

More information

Performing Map Cartography. using Esri Production Mapping

Performing Map Cartography. using Esri Production Mapping AGENDA Performing Map Cartography Presentation Title using Esri Production Mapping Name of Speaker Company Name Kannan Jayaraman Agenda Introduction What s New in ArcGIS 10.1 ESRI Production Mapping Mapping

More information

REPORT on the KIBARA MINERAL EXPLORATION PROPERTY. of TANZANIAN ROYALTY EXPLORATION CORPORATION. in the BUNDA DISTRICT, MARA REGION

REPORT on the KIBARA MINERAL EXPLORATION PROPERTY. of TANZANIAN ROYALTY EXPLORATION CORPORATION. in the BUNDA DISTRICT, MARA REGION REPORT on the KIBARA MINERAL EXPLORATION PROPERTY of TANZANIAN ROYALTY EXPLORATION CORPORATION in the BUNDA DISTRICT, MARA REGION of the UNITED REPUBLIC OF TANZANIA, EAST AFRICA Toronto, Canada October

More information

An Assessment of Spatial Integration for Major Wholesale Rice Markets in Tanzania

An Assessment of Spatial Integration for Major Wholesale Rice Markets in Tanzania ISSN: 2276-7827 ICV: 6.02 Submitted: 09/04/2016 Accepted: 19/04/2016 Published: 30/04/2016 DOI: http://doi.org/10.15580/gjbms.2016.1.040916073 An Assessment of Spatial Integration for Major Wholesale Rice

More information

ISU GIS CENTER S ARCSDE USER'S GUIDE AND DATA CATALOG

ISU GIS CENTER S ARCSDE USER'S GUIDE AND DATA CATALOG ISU GIS CENTER S ARCSDE USER'S GUIDE AND DATA CATALOG 2 TABLE OF CONTENTS 1) INTRODUCTION TO ARCSDE............. 3 2) CONNECTING TO ARCSDE.............. 5 3) ARCSDE LAYERS...................... 9 4) LAYER

More information

Geo 327G Semester Project. Landslide Suitability Assessment of Olympic National Park, WA. Fall Shane Lewis

Geo 327G Semester Project. Landslide Suitability Assessment of Olympic National Park, WA. Fall Shane Lewis Geo 327G Semester Project Landslide Suitability Assessment of Olympic National Park, WA Fall 2011 Shane Lewis 1 I. Problem Landslides cause millions of dollars of damage nationally every year, and are

More information

REPORT on the LUNGUYA MINERAL EXPLORATION PROPERTY. of TANZANIAN ROYALTY EXPLORATION CORPORATION. in the KAHAMA DISTRICT, SHINYANGA REGION

REPORT on the LUNGUYA MINERAL EXPLORATION PROPERTY. of TANZANIAN ROYALTY EXPLORATION CORPORATION. in the KAHAMA DISTRICT, SHINYANGA REGION REPORT on the LUNGUYA MINERAL EXPLORATION PROPERTY of TANZANIAN ROYALTY EXPLORATION CORPORATION in the KAHAMA DISTRICT, SHINYANGA REGION of the UNITED REPUBLIC OF TANZANIA, EAST AFRICA Toronto, Canada

More information

Introduction to ggplot2. ggplot2 is (in my opinion) one of the best documented packages in R. The full documentation for it can be found here:

Introduction to ggplot2. ggplot2 is (in my opinion) one of the best documented packages in R. The full documentation for it can be found here: Introduction to ggplot2 This practical introduces a slightly different method of creating plots in R using the ggplot2 package. The package is an implementation of Leland Wilkinson's Grammar of Graphics-

More information

Analysis of the Sediment Production Characteristics by the Satellite Image - Case Study in Tanzania Hiroshi OGAWA(1), Hiroyuki KATHURO(1),

Analysis of the Sediment Production Characteristics by the Satellite Image - Case Study in Tanzania Hiroshi OGAWA(1), Hiroyuki KATHURO(1), Analysis of the Sediment Production Characteristics by the Satellite Image - Case Study in Tanzania Hiroshi OGAWA(1), Hiroyuki KATHURO(1), Yoshihiro MOTOKI(1),Kiyotaka ONO(2) Kazuo ISONO(2), Masahiro YAMAGUCHI(3),

More information

Tutorial 8 Raster Data Analysis

Tutorial 8 Raster Data Analysis Objectives Tutorial 8 Raster Data Analysis This tutorial is designed to introduce you to a basic set of raster-based analyses including: 1. Displaying Digital Elevation Model (DEM) 2. Slope calculations

More information

NATIONAL REPORT TO THE 7 TH SOUTHERN AFRICAN AND ISLANDS HYDROGRAPHIC COMMISSION

NATIONAL REPORT TO THE 7 TH SOUTHERN AFRICAN AND ISLANDS HYDROGRAPHIC COMMISSION THE UNITED REPUBLIC OF TANZANIA SAIHC7-5.3M NATIONAL REPORT TO THE 7 TH SOUTHERN AFRICAN AND ISLANDS HYDROGRAPHIC COMMISSION TO BE HELD IN LA REUNION, 14 TH 17 TH SEPTEMBER, 2009 PREPARED BY IGNATIOUS

More information

Introducing GIS analysis

Introducing GIS analysis 1 Introducing GIS analysis GIS analysis lets you see patterns and relationships in your geographic data. The results of your analysis will give you insight into a place, help you focus your actions, or

More information

ENV208/ENV508 Applied GIS. Week 1: What is GIS?

ENV208/ENV508 Applied GIS. Week 1: What is GIS? ENV208/ENV508 Applied GIS Week 1: What is GIS? 1 WHAT IS GIS? A GIS integrates hardware, software, and data for capturing, managing, analyzing, and displaying all forms of geographically referenced information.

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

Calhoun County, Texas Under 5 Meter Sea Level Rise

Calhoun County, Texas Under 5 Meter Sea Level Rise Kyle Kacal GEO 327G Calhoun County, Texas Under 5 Meter Sea Level Rise PROBLEM AND PURPOSE: Sea level rise is threat to all coastal areas. Although natural sea level rise happens at a very slow rate, hurricanes

More information

GIS = Geographic Information Systems;

GIS = Geographic Information Systems; What is GIS GIS = Geographic Information Systems; What Information are we talking about? Information about anything that has a place (e.g. locations of features, address of people) on Earth s surface,

More information

MATH 408N PRACTICE MIDTERM 1

MATH 408N PRACTICE MIDTERM 1 02/0/202 Bormashenko MATH 408N PRACTICE MIDTERM Show your work for all the problems. Good luck! () (a) [5 pts] Solve for x if 2 x+ = 4 x Name: TA session: Writing everything as a power of 2, 2 x+ = (2

More information

Delineation of Watersheds

Delineation of Watersheds Delineation of Watersheds Adirondack Park, New York by Introduction Problem Watershed boundaries are increasingly being used in land and water management, separating the direction of water flow such that

More information

Int. J. Biosci Nelson Mandela African Institution of Science and Technology, Arusha, Tanzania

Int. J. Biosci Nelson Mandela African Institution of Science and Technology, Arusha, Tanzania International Journal of Biosciences IJB ISSN: 2220-6655 (Print) 2222-5234 (Online) http://www.innspub.net Vol. 10, No. 3, p. 309-322, 2017 RESEARCH PAPER OPEN ACCESS Genetic diversity of maize landraces

More information

Studying Topography, Orographic Rainfall, and Ecosystems (STORE)

Studying Topography, Orographic Rainfall, and Ecosystems (STORE) Introduction Studying Topography, Orographic Rainfall, and Ecosystems (STORE) Lesson: Using ArcGIS Explorer to Analyze the Connection between Topography, Tectonics, and Rainfall GIS-intensive Lesson This

More information

Geographic Information Systems. Introduction to Data and Data Sources

Geographic Information Systems. Introduction to Data and Data Sources Geographic Information Systems Introduction to Data and Data Sources Presented by John Showler, NJDA-SSCC NJ SCD GIS Training Session December 10, 209 The Objectives of this session are 3-fold: 1. Introduce

More information

Package Watersheds. R topics documented: February 9, Type Package

Package Watersheds. R topics documented: February 9, Type Package Type Package Package Watersheds February 9, 2016 Title Spatial Watershed Aggregation and Spatial Drainage Network Analysis Version 1.1 Date 2016-02-08 Author J.A. Torres-Matallana Maintainer J. A. Torres-Matallana

More information

Exercise 6: Working with Raster Data in ArcGIS 9.3

Exercise 6: Working with Raster Data in ArcGIS 9.3 Exercise 6: Working with Raster Data in ArcGIS 9.3 Why Spatial Analyst? Grid query Grid algebra Grid statistics Summary by zone Proximity mapping Reclassification Histograms Surface analysis Slope, aspect,

More information

Problems and Challenges

Problems and Challenges 2018 Esri Petroleum GIS Conference Problems and Challenges May 9 10, 2018 Houston, Texas George R. Brown Convention Center Disunity of drawing standards and format Large amount of work in Cartography,

More information

Using the Stock Hydrology Tools in ArcGIS

Using the Stock Hydrology Tools in ArcGIS Using the Stock Hydrology Tools in ArcGIS This lab exercise contains a homework assignment, detailed at the bottom, which is due Wednesday, October 6th. Several hydrology tools are part of the basic ArcGIS

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

BASIC SPATIAL ANALYSIS TOOLS IN A GIS. data set queries basic statistics buffering overlay reclassification

BASIC SPATIAL ANALYSIS TOOLS IN A GIS. data set queries basic statistics buffering overlay reclassification BASIC SPATIAL ANALYSIS TOOLS IN A GIS data set queries basic statistics buffering overlay reclassification GIS ANALYSIS TOOLS GIS ANALYSIS TOOLS Database tools: query and summarize (similar to spreadsheet

More information

Louisiana Transportation Engineering Conference. Monday, February 12, 2007

Louisiana Transportation Engineering Conference. Monday, February 12, 2007 Louisiana Transportation Engineering Conference Monday, February 12, 2007 Agenda Project Background Goal of EIS Why Use GIS? What is GIS? How used on this Project Other site selection tools I-69 Corridor

More information

The Looming Threat of Rising Sea Levels to the Florida Keys

The Looming Threat of Rising Sea Levels to the Florida Keys The Looming Threat of Rising Sea Levels to the Florida Keys 1. Introduction Sea levels are rising, and possibly faster than we thought before. In a recent report in 2017 by the National Oceanic and Atmospheric

More information

Learning ArcGIS: Introduction to ArcCatalog 10.1

Learning ArcGIS: Introduction to ArcCatalog 10.1 Learning ArcGIS: Introduction to ArcCatalog 10.1 Estimated Time: 1 Hour Information systems help us to manage what we know by making it easier to organize, access, manipulate, and apply knowledge to the

More information

Explore the data. Anja Bråthen Kristoffersen

Explore the data. Anja Bråthen Kristoffersen Explore the data Anja Bråthen Kristoffersen density 0.2 0.4 0.6 0.8 Probability distributions Can be either discrete or continuous (uniform, bernoulli, normal, etc) Defined by a density function, p(x)

More information

Dar es Salaam - Reality Check Workshop

Dar es Salaam - Reality Check Workshop Dar es Salaam - Reality Check Workshop hosted by GIZ and Dar es Salaam City Council Introduction: Key Urban Characteristics of Dar es Salaam Challenges and Opportunities for Resilient Development in the

More information

COASTAL MANAGEMENT IN TANZANIA

COASTAL MANAGEMENT IN TANZANIA COASTAL MANAGEMENT IN TANZANIA Presented by: Ms. Flora D. Akwilapo UN-NF ALUMNI MEETING NAIROBI 11-15 JULY 2011 THE COASTAL AREA OF TANZANIA The coastal area of Tanzania encompasses Five Regions of Tanga,

More information

Laboratorio di ST1 Lezione 4

Laboratorio di ST1 Lezione 4 Laboratorio di ST1 Lezione 4 Claudia Abundo Dipartimento di Matematica Università degli Studi Roma Tre 26 Marzo 2010 Gamma?dgamma The Gamma Distribution Description Density, distribution function, quantile

More information