Introduction to GDAL/OGR

Size: px
Start display at page:

Download "Introduction to GDAL/OGR"

Transcription

1 Introduction to GDAL/OGR Johannes van der Kwast UNESCO-IHE Institute for Water Education Version 3.1, September 2015 OpenCourseWare 1

2 Contents 1 Introduction Learning objectives Prerequisites Installation Using the command line Opening a command prompt Viewing the contents of a folder Changing directories Creating files Copy, move, rename and delete files Command history GDAL - The Geospatial Data Abstraction Library Retrieving information from GIS data Raster data Vector data Reprojecting files Introduction Raster data Vector data Change raster properties Resize an image Change raster format Spatial queries of vectors Convert Comma Separated Files Batch conversion

3 1 Introduction During these exercises you will get familiar with the basics of the Geodata Abstraction Library (GDAL). The first part of these exercises introduce you to the DOS command prompt. If you are already familiar with DOS commands, you can skip chapter 3 and start immediately with chapter 4. These exercises are provided as OpenCourseWare and come without support. For support, please register to our related short courses that can be found at Learning objectives After these exercises you will be able to: Use the DOS prompt Understand files and directories and their relative and absolute paths Retrieve information (metadata) from raster and vector data Convert raster and vector data formats Reproject raster and vector data formats Change raster properties Perform spatial queries on vector layers Convert comma separated files Convert spatial data to Google KML. 2 Prerequisites 2.1 Installation For these exercises GDAL needs to be installed, preferably using the OSGEO4W distribution package. The GDAL website: The OSGEO4W website: 3

4 3 Using the command line During the excersises we are going to use the Command Prompt. If you already know how to use the the Command Prompt (aka DOS prompt), you can skip this section. 3.1 Opening a command prompt To open a command prompt you can go do: Start All Programs OSGeo4W OSGeo4W Shell Now you will see the Command Prompt on your screen: 4

5 C:\> is called the command prompt. It shows your current working directory (or folder). In this case it means that you are at drive C (which is called the root). You cannot delete or edit the command prompt. You'll have to type the commands after the > of the command prompt. How does your command prompt look like? Give drive name, directory and (sub)directories. It may differ from the example in the screenshot. 3.2 Viewing the contents of a folder In this section, you will view the contents of a directory by using the dir command. The dir command stands for "directory." Type the following command after the prompt: dir After typing a command press the <Enter> key to execute. You will see something similar to this: This is called a directory list. A directory list is a list of all the files and subdirectories that a directory contains. If you type dir /? you will see all options of the dir command. For example, if you type dir /w you will see the directory listing in columns. 5

6 3.3 Changing directories Look at the list on your screen. All the names that have <DIR> beside them are directories (or folders). The others are files. The size of the files is also displayed. You can see a list of the files in another directory by changing to that directory, and then using the dir command again. Type the following commands: md John md Peter These commands create subdirectories called John and Peter. Check if the directory has been created by listing the directories. Type: dir Also try: dir /AD that only lists the directories Now to go to the newly created directory "John" by typing cd John cd means "change directory". You will see that the command prompt changes to C:\...\John> 6

7 DOS is not case sensitive (it interprets upper and lowercase in a similar way), so you could also have typed cd john. List the contents of the directory John by typing dir Now you'll see that the directory is not empty. There are to directories, namely. and.. Actually, the directory is empty, but it also shows the relative paths:. means "current directory".. means "mother directory (or one directory up)" Type: cd.. Check the command prompt: we're back in the directory where we started the exercise. Now type : cd. What is the result of this command? Explain why. We can go back to directory John using the relative path: cd.\john Note that this is the same as cd John. 7

8 Or the absolute path (in my case): cd C:\Users\jkw\John If we want to go to the root (drive C) we can do it using the absolute path: cd \ or the relative path: cd..\..\.. Go back to the directory called John. You can choose if you want to use the relative or absolute path. Type cd..\peter Look at the prompt and explain what this command did. Both ways of changing directories are equivalent. Why bother than? Well, if you move your files that are organized in directories and subdirecties to another drive (e.g. drive D), than your absolute paths will not work, while your relative paths will still refer to the same locations. This is specifically important when writing scripts, which we'll do later. Now we're going to delete the directory called Peter. First move one directory up, type: cd.. than type: rd Peter rd means "remove directory". List the directory to check if Peter has been removed. If you want to change to another drive, e.g. drive D, you use this command: d: Now go back to c by typing: c: You'll be back in the last directory accessed on the C drive. Move back to the directory where you created John before continuing with the next exercise. 3.4 Creating files Of course you can create files using your Windows software, but since you're learning the command prompt you'll learn how to create a simple ASCII text file. 8

9 Type: copy con listdirectories.bat Type: dir /AD Type <CTRL>-<Z> (keep the control button pressed and type z) Your screen looks like this: Check if the file is in the directory list. What is the size of the file? Now display the contents of the file on the screen. Type: type listdirectories.bat Now type: listdirectories Congratulations! You have created your first batch file. Batch files are scripts that can be used to execute commands in batch. In this case the file executed dir /AD Because batch files always have the file extension.bat, the computer knows that this is a batch file and will execute the commands in the file. We'll come back to this later. Let's create another file. Type: dir > list.txt This command will not show the result of the dir command on the screen, but saves it to an ASCII file called list.txt. So we can use > after a command to save its results to a file instead of printing it to the screen. Check the contents of the file: type list.txt 9

10 If the list is larger than the Command Prompt screen, you have to scroll. With large text files it is easier to use: type list.txt more The result of list.txt is given to the more command which displays the results in pages as big as your window. Press <ENTER> to see the next line. Press <SPACE BAR> to see the next page. Press <CTRL-C> to stop. You can use this last key combination to stop any command if it isn't doing what you like, it crashed or it takes too long. Type: more Nothing happens, because the more command expects input from another command. So you can wait forever. In this case you can stop the execution of the more command by using <CTRL-C>. Now try this: type listdirectories.bat >> list.txt Display the result: type list.txt more What happened? In summary: > saves the result of a command to a new file. If the file on the right hand of > already exists, it will be overwritten. >> appends the result of a command to an existing ASCII file. uses the result of the command on the left hand side in the command on the right hand side of the. This is called a pipe. Use <CTRL-C> to stop the execution of a command. We can also use these operators to create so called lock files. These are used in scripting. The script will check if a certain file exists. If it exists, the program will wait, if it is removed, the program continues. Therefore, these files can be empty. You can create a lockfile with: type NUL > lockfile.txt 10

11 3.5 Copy, move, rename and delete files Now we can copy the file list.txt to a new file by typing: copy list.txt newlist.txt We can also copy list.txt to subdirectory John: copy list.txt john\newlist.txt Now we move newlist.txt to the directory John: move newlist.txt John Go to the subdirectory John and check the directory listing. Because it is a bit confusing to have a copy of list.txt in subdirectory John, we're going to rename it: rename list.txt listjohn.txt Check the directory listing again. Save the directory listing to a file called dirjohn.lst Now I'll introduce so called wildcards. Type dir Type dir *.txt dir *john.* dir *.??t dir *.?xt Explain the function of * and? We can also append textfiles: copy dirjohn.lst+listjohn.txt listappend.txt Because we made copies, we want to remove duplicate file. Type: del newlist.txt You can now remove all files by typing: (Make sure you are in the right folder!!) del *.* (or simply: del.) 11

12 Now remove the directory John. 3.6 Command history Sometimes you often use the same command. There are several tricks to type them more efficiently. Type <F3> This repeats the last command used. Clear the command prompt and press the right arrow button several times. You can see that the characters of the previous command are repeated. If you press the up and down buttons, you can browse through the previously used command. When you use <TAB> while typing a path or a filename, it will try to automatically complete it. With the doskey command we can do even more. Type doskey /h This prints all the commands you typed during this session to the screen. If you close the command prompt, the command history will be lost. Save the command history to a text file using one of the commands previously learned. In this way you can edit the command history file in e.g. notepad. If you remove all the wrong commands and you save the file with the.bat extension, you can execute all of the commands in batch. Try this for a few of the commands you have learned so far. You can close a command prompt either by clicking on the cross in the corner, typing exit and pressing enter, or choosing Close when right clicking the Command Prompt icon on the task bar. 12

13 4 GDAL - The Geospatial Data Abstraction Library GDAL is a translator library for raster geospatial data formats that is released under an X/MIT style Open Source license by the Open Source Geospatial Foundation. As a library, it presents a single abstract data model to the calling application for all supported formats. It also comes with a variety of useful commandline utilities for data translation and processing. See for more info: Download the GDAL using the OSGeo4W installer: Download the dataset for this exercise and save it to your harddrive e.g. D:\gdalExercises The folder contains freely available GIS data: roads.shp: srtm_37_02.tif: gem_2011_gn1.shp: road map from OpenStreetMap ( tile of a Digital Elevation Model (DEM) from the Shuttle Radar Topography Mission (SRTM) ( borders of Dutch communities, freely available from CBS (Statistics Netherlands) and Kadaster ( Before continuing, make sure that you are in the right folder. Open the OSGeo4W Shell (Start All Programs OSGeo4W OSGeo4W Shell) Change directory to D:\gdalExercises 13

14 5 Retrieving information from GIS data 5.1 Raster data One of the easiest and most useful commands in GDAL is gdalinfo. When given an image as an argument, it retrieves and prints all relevant information that is known about the file. This is especially useful if the image contains additional tag data, as is the case with TIF files. When working with satellite imagery, this is an extremely useful way of keeping track of the images location in long./lat. coordinates as well as the image projection. Execute the following command: gdalinfo srtm_37_02.tif What is the size of the image? What is the coordinate system? What is the EPSG code? 5.2 Vector data Sometimes similar information is needed from a vector image, for this there is ogrinfo. Execute the following commands: ogrinfo -al roads.shp more ogrinfo -al gem_2011_gn1.shp more What are the coordinate systems of these shapefiles? Lookup the EPSG codes of both shapefiles at You'll need this later. There exists a useful online tool to convert.prj format (as included by ESRI files) to EPSG code: 14

15 6 Reprojecting files 6.1 Introduction In this exercise we want to make a map of the community of Delft with the main roads and the relief. Because the datasets are in different formats we have to reproject them to a common coordinate system. Here we reproject all datasets to the Dutch Amersfoort/RD New projection. 6.2 Raster data GDAL has the capability to change a raster coordinate system using the following syntax: gdalwarp -t_srs EPSG:... <input> <output> The -t_srs argument specifies the target coordinate system. If the source coordinate system is unknown it must be specified with the -s_srs argument. EPSG:... specifies the EPSG code of the projection. We are now going to reproject a Digital Elevation Model (DEM) acquired by the Shuttle Radar Topography Mission (SRTM). You can use this website to download DEM's for your area of interest: In order to reproject the DEM from WGS-84 lat/lon to Amersfoort/RD New we use this command: gdalwarp -t_srs EPSG:XXXXX srtm_37_02.tif dem_rd.tif Replace XXXXX with the proper EPSG code for Amersfoort/RD New (see one of your previous answers using ogrinfo). Execute the command and visualize the result in QGIS. 6.3 Vector data For vector data again ogr is used to convert the OpenStreetMaps road data to the Amersfoort/RD New projection. Execute: ogr2ogr -t_srs EPSG:XXXXX roadsreprojected.shp roads.shp Replace XXXXX with the proper EPSG code. Note that with ogr the output filename is typed before the input filename! With gdal and most other tools this is different. 15

16 7 Change raster properties 7.1 Resize an image The gdal_translate command gives us several options to modify raster images. gdal_translate can be used simply to change the size of an image using the -outsize parameter, which takes two integer values as the xsize and ysize respectively, or two percentage values to scale the image. The syntax is: gdal_translate -outsize newxsize newysize inputfile outputfile Let's apply it to our DEM: gdal_translate -outsize 15% 15% dem_rd.tif resized.tif Visualize the original image and the resized image in QGIS. Explain what happened. 7.2 Change raster format gdal_translate's primary function is to change between image formats. Resizing and changing the image format can also be combined into one step by using both the -outsize and -of parameters. The basic syntax is: gdal_translate -of FORMAT inputfile outputfile All supported formats can be found here: Now we are going to convert the DEM from geotiff to PCRaster format. PCRaster is open source software for spatial dynamic modelling and has its own GIS format ( Execute: gdal_translate -of PCRaster -ot Float64 dem_rd.tif dem.map Visualize the result in QGIS The -ot argument is needed to specifiy that it is continuous data, so PCRaster will interpret the map as a scalar (continuous) data layer. Use -ot Int32 to convert to integer (thematic) maps. Use -ot Byte to convert to a boolean PCRaster map. 16

17 8 Spatial queries of vectors For our map of Delft we want to do the following GIS analysis: Select the community of Delft from the community map and save it into a new shapefile; Intersect the community boundaries of Delft with the road map of the Netherlands. We can use a spatial query to select a feature from a vector map. What is the attribute in the community map containing the names of the communities? You can use either ogrinfo or QGIS to answer this question. Execute the following command: ogr2ogr -f "ESRI Shapefile" -where GM_NAAM='Delft' -a_srs EPSG:28992 delft.shp gem_2011_gn1.shp This will save the feature with GM_NAAM Delft to a new file called delft.shp. The argument - a_srs EPSG:28992 is used to assign the Amersfoort/RD New projection to the output file. The argument -f defines the output format. Now open in QGIS the reprojected DEM (dem_rd.tif), the reprojected road map (roadsreprojected.shp) and the community of Delft (delft.shp). 17

18 9 Convert Comma Separated Files Sometimes you want to reproject coordinates in an ASCII file, e.g. which has been saved in a spreadsheet program. Here we will convert the coordinates in a comma separated ASCII file (locations.csv) to a new ASCII file (locations_reprojected.csv). View the contents of locations.csv using notepad First, we have to create a virtual data source by creating an XML control file. On your windows computer open notepad and type the XML code in the screenshot below. Use indentations of three spaces. Save the file as "locations.vrt" in the gdalexercises folder. Some explanation about the XML file: <OGRVRTLayer name="locations"> should correspond with the <SrcDataSource>locations.csv</SrcDataSource> <GeometryField encoding="pointfromcolumns" x="lon" y="lat"/> indicates the columns with the coordinates that you want to convert. Execute the following command: ogr2ogr -t_srs EPSG: f "CSV" locations_reprojected locations.vrt -lco GEOMETRY=AS_XY In this example locations.csv with lat/lon WGS-84 coordinates is converted to locations_projected.csv with Amersfoort/RD New projection. Note that the file is saved in the folder with the same name as the output file. Use notepad to check locations_reprojected.csv. What is saved in each column? In the same way we can convert the comma separated file to a shapefile. Execute: ogr2ogr -f "ESRI Shapefile" locations.shp locations.vrt Visualize the shapefile in QGIS by plotting the locations over the DEM, road map and Delft community border. Make a nice map. We can also convert the locations to Google Earth KML format. Type: ogr2ogr -f KML locations.kml locations.vrt locations 18

19 Note that you don't need to specify an output projection (-t_srs), because for KML this is always WGS 84 (EPSG:4326). Visualize the results in Google Earth in Windows. If you don't have Google Earth yet, you can download it from: Double click the file and it opens in Google Earth. What are the objects in our CSV file? 19

20 10 Batch conversion Desktop GIS programmes are very useful for GIS operations, but are hard to use if we have to repeat the same task for many GIS layers. Then scripting can be a solution. Here we have an example dataset from a land-use model of Dublin. The data are in IDRISI raster format, with one layer for each year between 1990 and Our task is to convert all layers to.tif format. Unzip landuse.zip to a folder called "landuse". Open the command prompt and "cd" to this folder. Make a batch file with the following commands: Try to understand the code. This is a for loop that loops over all *.rst files in the folder. %%f is the variable that contains the filename of each file. With echo we can print something to the screen. Here we print %%~nf, which is the part of the filename before the dot that separates it from the extension. Then we use the gdal_translate command with output format GeoTiff. At the end of the line we add the.tif extension to the filename. Now you can execute the batch file and check the results. 20

Quantum GIS Basic Operations (Wien 2.8) Raster Operations

Quantum GIS Basic Operations (Wien 2.8) Raster Operations 1 Quantum GIS Basic Operations (Wien 2.8) Raster Operations The QGIS Manual steps through many more basic operations than the following exercise, and will be occasionally be referenced within these NOTE

More information

Download elevation model page 2 Re-Project DEM coordinates page 5 Cut region of interest page 10

Download elevation model page 2 Re-Project DEM coordinates page 5 Cut region of interest page 10 1 Download elevation model page 2 Re-Project DEM coordinates page 5 Cut region of interest page 10 Version June 2017, Dr. Jonas von Rütte, Dr. Peter Lehmann 2 Download elevation model for region of interest:

More information

Geocoding Sentinel-1 GRD Products using GDAL Utilities

Geocoding Sentinel-1 GRD Products using GDAL Utilities Geocoding Sentinel-1 GRD Products using GDAL Utilities Adapted from coursework developed by Franz J Meyer, Ph.D., Alaska Satellite Facility. GDAL installation adapted from UCLA s Technology Sandbox website

More information

Exercises Open Source Software for Preprocessing GIS Data for Hydrological Models

Exercises Open Source Software for Preprocessing GIS Data for Hydrological Models Exercises Open Source Software for Preprocessing GIS Data for Hydrological Models Dr. Hans van der Kwast Senior Lecturer in Ecohydrological Modelling Water Science and Engineering Department E-mail: j.vanderkwast@unesco-ihe.org

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

Introduction to using QGIS for Archaeology and History Workshop by the Empirical Reasoning Center

Introduction to using QGIS for Archaeology and History Workshop by the Empirical Reasoning Center Introduction to using QGIS for Archaeology and History Workshop by the Empirical Reasoning Center In this workshop, we will cover the basics of working with spatial data, as well as its main uses for archaeology.

More information

World Premium Points of Interest Getting Started Guide

World Premium Points of Interest Getting Started Guide World Premium Points of Interest Getting Started Guide Version: 2.0 NOTICE: Copyright Pitney Bowes 2017. All Rights Reserved. 1 Table of Contents INTRODUCTION... 3 1. Preface... 3 2. Data Characteristics...

More information

USER GUIDE. GDAL/OGR Utilities using ToolsGUI. by Zora Horejsova, Martin Smejkal, Adela Volfova

USER GUIDE. GDAL/OGR Utilities using ToolsGUI. by Zora Horejsova, Martin Smejkal, Adela Volfova USER GUIDE GDAL/OGR Utilities using ToolsGUI by Zora Horejsova, Martin Smejkal, Adela Volfova Prague, 2011 This brief guide is intended for those who want to use GDAL/OGR utilities in a GUI (graphical

More information

World Premium Points of Interest Getting Started Guide

World Premium Points of Interest Getting Started Guide World Premium Points of Interest Getting Started Guide Version: 2.3 NOTICE: Copyright Pitney Bowes 2019. All Rights Reserved. 1 Table of Contents INTRODUCTION... 3 1. Preface... 3 2. Data Characteristics...

More information

Terrain Analysis. Using QGIS and SAGA

Terrain Analysis. Using QGIS and SAGA Terrain Analysis Using QGIS and SAGA Tutorial ID: IGET_RS_010 This tutorial has been developed by BVIEER as part of the IGET web portal intended to provide easy access to geospatial education. This tutorial

More information

Segmentation Guide using open source resources By Paul Russell, Ana Carolina Fiorini, and Trevor Caughlin

Segmentation Guide using open source resources By Paul Russell, Ana Carolina Fiorini, and Trevor Caughlin Segmentation Guide using open source resources By Paul Russell, Ana Carolina Fiorini, and Trevor Caughlin This guide aims to give you a step by step guidance to digitize tree cover in google earth using

More information

Introduction to Python

Introduction to Python Introduction to Python Dr. Hans van der Kwast Senior Lecturer in Ecohydrological Modelling IHE Delft Institute for Water Education h.vanderkwast@un-ihe.org Schedule Monday Install software DOS and GDAL

More information

Mapping Regional Inundation with Spaceborne L-band SAR

Mapping Regional Inundation with Spaceborne L-band SAR Making remote-sensing data accessible since 1991 Mapping Regional Inundation with Spaceborne L-band SAR Using open-source software such as QGIS and GIMP Adapted from Bruce Chapman 1, Rick Guritz 2, and

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

In this lab, you will create two maps. One map will show two different projections of the same data.

In this lab, you will create two maps. One map will show two different projections of the same data. Projection Exercise Part 2 of 1.963 Lab for 9/27/04 Introduction In this exercise, you will work with projections, by re-projecting a grid dataset from one projection into another. You will create a map

More information

A Practical Guide to Using QGIS

A Practical Guide to Using QGIS A Practical Guide to Using QGIS 1.1 INTRODUCTION Quantum GIS (QGIS) is a useful mapping software that enables the compilation and displaying of spatial data in the form of a map. Gaining experience in

More information

How to Create Metadata in ArcGIS 10.0

How to Create Metadata in ArcGIS 10.0 How to Create Metadata in ArcGIS 10.0 March 2012 Table of Contents Introduction... 1 Getting Started... 2 Software Requirements... 2 Configure ArcGIS Desktop to View FGDC Metadata... 2 Other Thoughts...

More information

MARS v Release Notes Revised: May 23, 2018 (Builds and )

MARS v Release Notes Revised: May 23, 2018 (Builds and ) MARS v2018.0 Release Notes Revised: May 23, 2018 (Builds 8302.01 8302.18 and 8350.00 8352.00) Contents New Features:... 2 Enhancements:... 6 List of Bug Fixes... 13 1 New Features: LAS Up-Conversion prompts

More information

QGIS LAB SERIES GST 103: Data Acquisition and Management Lab 1: Reviewing the Basics of Geospatial Data

QGIS LAB SERIES GST 103: Data Acquisition and Management Lab 1: Reviewing the Basics of Geospatial Data QGIS LAB SERIES GST 103: Data Acquisition and Management Lab 1: Reviewing the Basics of Geospatial Data Objective Explore and Understand Geospatial Data Models and File Formats Document Version: 2014-08-15

More information

All data is in Universal Transverse Mercator (UTM) Zone 6 projection, and WGS 84 datum.

All data is in Universal Transverse Mercator (UTM) Zone 6 projection, and WGS 84 datum. 111 Mulford Hall, College of Natural Resources, UC Berkeley (510) 643-4539 EXPLORING MOOREA DATA WITH QUANTUM GIS In this exercise, you will be using an open-source FREE GIS software, called Quantum GIS,

More information

Server Usage & Third-Party Viewers

Server Usage & Third-Party Viewers Server Usage & Third-Party Viewers October 2016 HiPER LOOK Version 1.4.16.0 Copyright 2015 PIXIA Corp. All Rights Reserved. Table of Contents HiPER LOOK Server Introduction... 2 Google Earth... 2 Installation...2

More information

Orchard Link Mapping Workshop (QGIS Training) Contact

Orchard Link Mapping Workshop (QGIS Training) Contact Orchard Link Mapping Workshop (QGIS Training) Contact email: info@neetmaps.co.uk for technical support, bespoke mapping or further information or visit www.neetmaps.co.uk 1 2 1: Introduction to QGIS What

More information

Image Services for Elevation Data

Image Services for Elevation Data Image Services for Elevation Data Peter Becker Need for Elevation Using Image Services for Elevation Data sources Creating Elevation Service Requirement: GIS and Imagery, Integrated and Accessible Field

More information

Introduction to GIS software

Introduction to GIS software Introduction to GIS software There are a wide variety of GIS software packages available. Some of these software packages are freely available for you to download and could be used in your classroom. ArcGIS

More information

4. Once open, activate the ArcToolbox window (if not already visible) by clicking the red box below

4. Once open, activate the ArcToolbox window (if not already visible) by clicking the red box below Getting Started Downloading The latest version of the toolbox is available for download at: www.sdmtoolbox.org. This software requires ArcMap 10.1 10.5 with an active Spatial Analyst license (www.esri.com).

More information

v SMS Tutorials Working with Rasters Prerequisites Requirements Time Objectives

v SMS Tutorials Working with Rasters Prerequisites Requirements Time Objectives v. 12.2 SMS 12.2 Tutorial Objectives Learn how to import a Raster, view elevations at individual points, change display options for multiple views of the data, show the 2D profile plots, and interpolate

More information

v SMS 11.1 Tutorial GIS Requirements GIS Module Map Module ArcGis (Optional) Time minutes Prerequisites None Objectives

v SMS 11.1 Tutorial GIS Requirements GIS Module Map Module ArcGis (Optional) Time minutes Prerequisites None Objectives v. 11.1 SMS 11.1 Tutorial GIS Objectives This tutorial demonstrates how you can read in GIS data, visualize it, and convert it into SMS coverage data that could be used to build a numeric model. We will

More information

QUANTUM GIS GUIDE FOR WASH FACILITY DATA COLLECTORS AND -MANAGERS

QUANTUM GIS GUIDE FOR WASH FACILITY DATA COLLECTORS AND -MANAGERS COWASH Training Quantum GIS 1 QUANTUM GIS GUIDE FOR WASH FACILITY DATA COLLECTORS AND -MANAGERS Quantum GIS (QGIS) is widely used open source GIS software which usage is very similar to GIS-software market

More information

An Example of Regional Web Resources: Massachusetts, USA Digital Data

An Example of Regional Web Resources: Massachusetts, USA Digital Data An Example of Regional Web Resources: Massachusetts, USA Digital Data Author Attribution Major contributors to this curriculum include (alphabetical): Maria Fernandez Michael Hamel Quentin Lewis Maili

More information

World Premium Points of Interest Getting Started Guide

World Premium Points of Interest Getting Started Guide World Premium Points of Interest Getting Started Guide Version: 0.1 1 Table of Contents INTRODUCTION... 3 1. Preface... 3 2. Data Characteristics... 3 3. Loading the data into RDMS Databases... 3 Oracle...

More information

Tutorial 1: Downloading elevation data

Tutorial 1: Downloading elevation data Tutorial 1: Downloading elevation data Objectives In this exercise you will learn how to acquire elevation data from the website OpenTopography.org, project the dataset into a UTM coordinate system, and

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

Introduction to Linux

Introduction to Linux Introduction to Linux The command-line interface A command-line interface (CLI) is a type of interface, that is, a way to interact with a computer. Window systems, punched cards or a bunch of dials, buttons

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

Geographical Information Systems Institute. Center for Geographic Analysis, Harvard University. LAB EXERCISE 1: Basic Mapping in ArcMap

Geographical Information Systems Institute. Center for Geographic Analysis, Harvard University. LAB EXERCISE 1: Basic Mapping in ArcMap Harvard University Introduction to ArcMap Geographical Information Systems Institute Center for Geographic Analysis, Harvard University LAB EXERCISE 1: Basic Mapping in ArcMap Individual files (lab instructions,

More information

QGIS LAB SERIES GST 102: Spatial Analysis Lab 3: Advanced Attributes and Spatial Queries for Data Exploration

QGIS LAB SERIES GST 102: Spatial Analysis Lab 3: Advanced Attributes and Spatial Queries for Data Exploration QGIS LAB SERIES GST 102: Spatial Analysis Lab 3: Advanced Attributes and Spatial Queries for Data Exploration Objective Understanding Attribute Queries and Spatial Queries Document Version: 2014-06-19

More information

LAB 1: Introduction to ArcGIS 8

LAB 1: Introduction to ArcGIS 8 LAB 1: Introduction to ArcGIS 8 Outline Introduction Purpose Lab Basics o About the Computers o About the software o Additional information Data ArcGIS Applications o Starting ArcGIS o o o Conclusion To

More information

HEC-RAS 5.0 Training New Zealand Workshop Guide

HEC-RAS 5.0 Training New Zealand Workshop Guide HEC-RAS 5.0 Training New Zealand Workshop Guide Prepared by: Krey Price Surface Water Solutions 57 Bromfield Drive Kelmscott WA 6111 Australia Tel. +61 400 367 542 e-mail: info@surfacewater.biz website:

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

Introduction to QGIS: Instructor s Notes

Introduction to QGIS: Instructor s Notes 2016 Introduction to QGIS: Instructor s Notes Created by: MARK DE BLOIS, CEO / FOUNDER, UPANDE LIMITED WITH SUPPORT FROM THE WORLD BANK AND THE UK DEPARTMENT FOR INTERNATIONAL DEVELOPMENT (DFID) Module

More information

Module: Rasters. 8.1 Lesson: Working with Raster Data Follow along: Loading Raster Data CHAPTER 8

Module: Rasters. 8.1 Lesson: Working with Raster Data Follow along: Loading Raster Data CHAPTER 8 CHAPTER 8 Module: Rasters We ve used rasters for digitizing before, but raster data can also be used directly. In this module, you ll see how it s done in QGIS. 8.1 Lesson: Working with Raster Data Raster

More information

ArcGIS Online. Overview. Setting Up

ArcGIS Online. Overview. Setting Up ArcGIS Online Overview ArcGIS Online is a web-based mapping and app-building site created by Esri, the world leader in GIS software. In an effort to empower users of all levels to create interactive maps

More information

Exercise 4.1. Create New Variables in a Shapefile. GIS Techniques for Monitoring and Evaluation of HIV/AIDS and Related Programs

Exercise 4.1. Create New Variables in a Shapefile. GIS Techniques for Monitoring and Evaluation of HIV/AIDS and Related Programs GIS Techniques for Monitoring and Evaluation of HIV/AIDS and Related Programs Exercise 4.1 Create New Variables in a Shapefile *This training was developed as part of a joint effort between MEASURE Evaluation

More information

Disk Operating System

Disk Operating System In the name of Allah Islamic University of Gaza Faculty of Engineering Computer Engineering Department Introduction To Computer Lab Lab # 1 Disk Operating System El-masry 2013 Objective To be familiar

More information

v TUFLOW-2D Hydrodynamics SMS Tutorials Time minutes Prerequisites Overview Tutorial

v TUFLOW-2D Hydrodynamics SMS Tutorials Time minutes Prerequisites Overview Tutorial v. 12.2 SMS 12.2 Tutorial TUFLOW-2D Hydrodynamics Objectives This tutorial describes the generation of a TUFLOW project using the SMS interface. This project utilizes only the two dimensional flow calculation

More information

NEW SKILLS Begin to learn how to add data in QGIS. Exploration of some of the vector and raster analysis capabilities of QGIS

NEW SKILLS Begin to learn how to add data in QGIS. Exploration of some of the vector and raster analysis capabilities of QGIS Lab 3 VECTOR AND RASTER MODELING Last modified 7 May 2014 NEW SKILLS Begin to learn how to add data in QGIS. Exploration of some of the vector and raster analysis capabilities of QGIS 1. In this exercise

More information

IMPORTING A STUDENT LIST FROM SYNERGY INTO A GOOGLE CONTACT LIST

IMPORTING A STUDENT  LIST FROM SYNERGY INTO A GOOGLE CONTACT LIST IMPORTING A STUDENT EMAIL LIST FROM SYNERGY INTO A GOOGLE CONTACT LIST In Synergy create a report for each class. 1. Log in to Synergy. 2. Open the list of available reports; select the Reports icon from

More information

Building Vector Layers

Building Vector Layers Building Vector Layers in QGIS Introduction: Spatially referenced data can be separated into two categories, raster and vector data. This week, we focus on the building of vector features. Vector shapefiles

More information

Overview. Setting Up. Geospatial Centre University of Waterloo November 2015

Overview. Setting Up. Geospatial Centre University of Waterloo November 2015 Overview ArcGIS Online is a web-based mapping and app-building site created by Esri, the world leader in GIS software. In an effort to empower users of all levels to create interactive maps and applications

More information

Introduction to QGIS: Student Workbook

Introduction to QGIS: Student Workbook 2016 Introduction to QGIS: Student Workbook Created by: MARK DE BLOIS, CEO / FOUNDER, UPANDE LIMITED WITH SUPPORT FROM THE WORLD BANK AND THE UK DEPARTMENT FOR INTERNATIONAL DEVELOPMENT (DFID) Module 3:

More information

Grandstream Networks, Inc. XML Configuration File Generator User Guide (For Windows Users)

Grandstream Networks, Inc. XML Configuration File Generator User Guide (For Windows Users) Grandstream Networks, Inc. Table of Content INTRODUCTION... 3 CHANGE LOG... 4 Version 3.1... 4 Version 3.0... 4 FILES IN THE PACKAGE... 5 Example TXT Config Template (Config_Example.txt)... 5 Example CSV

More information

Introduction to Unix

Introduction to Unix Introduction to Unix Part 1: Navigating directories First we download the directory called "Fisher" from Carmen. This directory contains a sample from the Fisher corpus. The Fisher corpus is a collection

More information

Files Used in this Tutorial

Files Used in this Tutorial RPC Orthorectification Tutorial In this tutorial, you will use ground control points (GCPs), an orthorectified reference image, and a digital elevation model (DEM) to orthorectify an OrbView-3 scene that

More information

Downloading and importing DEM data from ASTER or SRTM (~30m resolution) into ArcMap

Downloading and importing DEM data from ASTER or SRTM (~30m resolution) into ArcMap Downloading and importing DEM data from ASTER or SRTM (~30m resolution) into ArcMap Step 1: ASTER or SRTM? There has been some concerns about the quality of ASTER data, nicely exemplified in the following

More information

Introduction to SAGA GIS

Introduction to SAGA GIS GIS Tutorial ID: IGET_RS_001 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

More information

Files Used in this Tutorial

Files Used in this Tutorial RPC Orthorectification Tutorial In this tutorial, you will use ground control points (GCPs), an orthorectified reference image, and a digital elevation model (DEM) to orthorectify an OrbView-3 scene that

More information

v Importing Rasters SMS 11.2 Tutorial Requirements Raster Module Map Module Mesh Module Time minutes Prerequisites Overview Tutorial

v Importing Rasters SMS 11.2 Tutorial Requirements Raster Module Map Module Mesh Module Time minutes Prerequisites Overview Tutorial v. 11.2 SMS 11.2 Tutorial Objectives This tutorial teaches how to import a Raster, view elevations at individual points, change display options for multiple views of the data, show the 2D profile plots,

More information

TimberNavi 5 Software Update

TimberNavi 5 Software Update TimberNavi 5 Update On Machine Update 5.2 Release Notes Office Update 5.10.5 Release Notes Important Information Always check for Office updated on the TimberNavi support website in MyJohnDeere.com before

More information

Extensible scriptlet-driven tool to manipulate, or do work based on, files and file metadata (fields)

Extensible scriptlet-driven tool to manipulate, or do work based on, files and file metadata (fields) 1. MCUtils This package contains a suite of scripts for acquiring and manipulating MC metadata, and for performing various actions. The available scripts are listed below. The scripts are written in Perl

More information

Basic Tasks in ArcGIS 10.3.x

Basic Tasks in ArcGIS 10.3.x Basic Tasks in ArcGIS 10.3.x This guide provides instructions for performing a few basic tasks in ArcGIS 10.3.1, such as adding data to a map document, viewing and changing coordinate system information,

More information

Part 6b: The effect of scale on raster calculations mean local relief and slope

Part 6b: The effect of scale on raster calculations mean local relief and slope Part 6b: The effect of scale on raster calculations mean local relief and slope Due: Be done with this section by class on Monday 10 Oct. Tasks: Calculate slope for three rasters and produce a decent looking

More information

Importing CDED (Canadian Digital Elevation Data) into ArcGIS 9.x

Importing CDED (Canadian Digital Elevation Data) into ArcGIS 9.x Importing CDED (Canadian Digital Elevation Data) into ArcGIS 9.x Related Guides: Obtaining Canadian Digital Elevation Data (CDED) Importing Canadian Digital Elevation Data (CDED) into ArcView 3.x Requirements:

More information

Bioinformatics? Reads, assembly, annotation, comparative genomics and a bit of phylogeny.

Bioinformatics? Reads, assembly, annotation, comparative genomics and a bit of phylogeny. Bioinformatics? Reads, assembly, annotation, comparative genomics and a bit of phylogeny stefano.gaiarsa@unimi.it Linux and the command line PART 1 Survival kit for the bash environment Purpose of the

More information

PISCES Installation and Getting Started 1

PISCES Installation and Getting Started 1 This document will walk you through the PISCES setup process and get you started accessing the suite of available tools. It will begin with what options to choose during the actual installation and the

More information

EDINA Workshop: Creating a Campus Map and Displaying it in OpenLayers

EDINA Workshop: Creating a Campus Map and Displaying it in OpenLayers Contents Introduction... 2 What steps are involved?... 3 Before you start... 4 Create your campus map... 5 1. Load the basemap data into ArcMap... 5 2. Set up Symbology and Labels of Layers... 6 Improve

More information

Example Procedure Log

Example Procedure Log CLKIMMEL.COM Example Procedure Log From City of Raleigh Detailed Intersection Project Charles Lee Kimmel 3/27/2017 This is an example procedure log from my work on the Detailed Intersection Project with

More information

Easy way to making a photo-realistic Condor scenery

Easy way to making a photo-realistic Condor scenery Easy way to making a photo-realistic Condor scenery by Luis Briones Introduction First at all, sorry for my English. This not pretend be an original work. It's only a way that I can make a scenery. I had

More information

for Q-CHECKER Text version 15-Feb-16 4:49 PM

for Q-CHECKER Text version 15-Feb-16 4:49 PM Q-MONITOR 5.4.X FOR V5 for Q-CHECKER USERS GUIDE Text version 15-Feb-16 4:49 PM Orientation Symbols used in the manual For better orientation in the manual the following symbols are used: Warning symbol

More information

Chapter 2. Editing And Compiling

Chapter 2. Editing And Compiling Chapter 2. Editing And Compiling Now that the main concepts of programming have been explained, it's time to actually do some programming. In order for you to "edit" and "compile" a program, you'll need

More information

Notepad++ The COMPSCI 101 Text Editor for Windows. What is a text editor? Install Python 3. Installing Notepad++

Notepad++  The COMPSCI 101 Text Editor for Windows. What is a text editor? Install Python 3. Installing Notepad++ Notepad++ The COMPSCI 101 Text Editor for Windows The text editor that we will be using in the Computer Science labs for creating our Python programs is called Notepad++ and is freely available for the

More information

DgnAudit. 1. What is DgnAudit?

DgnAudit. 1. What is DgnAudit? 1 1. What is DgnAudit? DgnAudit is an MDL program developed by Australian Data Systems to assist MicroStation users in the complex task of documenting and finding design files. Search produces an audit

More information

IMPORTING A STUDENT LIST FROM SYNERGY INTO A GOOGLE CONTACT LIST

IMPORTING A STUDENT  LIST FROM SYNERGY INTO A GOOGLE CONTACT LIST IMPORTING A STUDENT EMAIL LIST FROM SYNERGY INTO A GOOGLE CONTACT LIST In Synergy create a report for each class. 1. Log in to Synergy. 2. Open the list of available reports; select the Reports icon from

More information

Photo2GPS Instructions:

Photo2GPS Instructions: Photo2GPS Instructions: Photo2GPS is a program designed to read a text file of track points and the contents of a folder containing your digital photographs then create coordinates with links to the associated

More information

Exercise 03 Creating and Editing Shapefiles Assigned Feb. 2, 2018 Due Feb. 9, 2018

Exercise 03 Creating and Editing Shapefiles Assigned Feb. 2, 2018 Due Feb. 9, 2018 Exercise 03 Creating and Editing Shapefiles Assigned Feb. 2, 2018 Due Feb. 9, 2018 On the class website I've posted an exercise_03_data.zip file which contains a USGS 7.5' quad map of Laramie (as laramie_quad_usgs_1963.tiff)

More information

Data from HydroTerre

Data from HydroTerre Data from HydroTerre 1 How to download the data from Hydroterre? Visit the link http://hydroterre.psu.edu/development/hydroterre_national/hydroterre_nation al.aspx or click ETV Services(Download ETV data)

More information

Explore some of the new functionality in ArcMap 10

Explore some of the new functionality in ArcMap 10 Explore some of the new functionality in ArcMap 10 Scenario In this exercise, imagine you are a GIS analyst working for Old Dominion University. Construction will begin shortly on renovation of the new

More information

Using your own map data on an Android device A tutorial for Windows 7 users.

Using your own map data on an Android device A tutorial for Windows 7 users. Using your own map data on an Android device A tutorial for Windows 7 users. Suppose you have a map as a graphic file (maybe you downloaded it, or scanned a paper map). You want to use this on your Android

More information

Exercise 6a: Using free and/or open source tools to build workflows to manipulate. LAStools

Exercise 6a: Using free and/or open source tools to build workflows to manipulate. LAStools Exercise 6a: Using free and/or open source tools to build workflows to manipulate and process LiDAR data: LAStools Christopher Crosby Last Revised: December 1st, 2009 Exercises in this series: 1. LAStools

More information

Launch QGIS. Launch QGIS from. Open window Quantum GIS (Figure 1.1 below) Start All Programs Quantum GIS. QGISIcon on the desk top

Launch QGIS. Launch QGIS from. Open window Quantum GIS (Figure 1.1 below) Start All Programs Quantum GIS. QGISIcon on the desk top QGIS Launch QGIS Launch QGIS from Start All Programs Quantum GIS OR QGISIcon on the desk top Open window Quantum GIS (Figure 1.1 below) 2 Figure 1.1 3 Opening Raster For this exercise we demonstrate three

More information

CHAPTER 2 GEOREFERENCING AND SHAPEFILE CREATION

CHAPTER 2 GEOREFERENCING AND SHAPEFILE CREATION CHAPTER 2 GEOREFERENCING AND SHAPEFILE CREATION Georeferencing is the process of assigning real-world coordinates to each pixel of the raster. These coordinates are obtained by doing field surveys - collecting

More information

Geological mapping using open

Geological mapping using open Geological mapping using open source QGIS MOHSEN ALSHAGHDARI -2017- Abstract Geological mapping is very important to display your field work in a map for geologist and others, many geologists face problems

More information

Select Objects for Use

Select Objects for Use System In TNTgis you select geospatial data for viewing and analysis using the Select objects window (which may have varying names depending on the context). The upper part of the window has several tabbed

More information

ewater SDI for water resource management

ewater SDI for water resource management PROJECT GEONETCAST WS 2009/2010 ewater SDI for water resource management Technical Documentation Theresia Freska Utami & Wu Liqun 2/12/2010 I. GEONETWORK 1. Installation e-water uses the software package

More information

TOF-Watch SX Monitor

TOF-Watch SX Monitor TOF-Watch SX Monitor User manual Version 1.2 Organon (Ireland) Ltd. Drynam Road Swords Co. Dublin Ireland Contents General information... 3 Getting started... 3 File Window... 7 File Menu... 10 File Open

More information

TimberNavi 5 Software Update

TimberNavi 5 Software Update TimberNavi 5 Software Update On Machine Software Update 5.2.3 Release Notes Office Software Update 5.10.6 Release Notes Important Information UPDATE TO VERSION 5.2.3: 1. This version resolves a MyJohnDeere

More information

Coastal Adaptation to Sea Level Rise Tool (COAST)

Coastal Adaptation to Sea Level Rise Tool (COAST) Built on the Global Mapper SDK Coastal Adaptation to Sea Level Rise Tool (COAST) Tutorial v3.0 4/8/2015 Table of Contents Introduction... 3 COAST Scenario Data Requirements... 3 Setting Up a COAST Scenario...

More information

_ LUCIADFUSION V PRODUCT DATA SHEET _ LUCIADFUSION PRODUCT DATA SHEET

_ LUCIADFUSION V PRODUCT DATA SHEET _ LUCIADFUSION PRODUCT DATA SHEET _ LUCIADFUSION PRODUCT DATA SHEET V2016 LuciadFusion is the solution for efficient and effective use of geospatial data. It allows you to organize your data so that each user has one-click access to a

More information

Low Cost and Free Public Health Mapping Tools

Low Cost and Free Public Health Mapping Tools Low Cost and Free Public Health Mapping Tools Quantum GIS - QGIS 1) Download and Install a) QGIS can be quickly and easily installed on Windows, Macs and Linux from installers found here: http://hub.qgis.org/projects/quantum-gis/wiki/download

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

Overview. Setting Up. Geospatial Centre University of Waterloo May 2014

Overview. Setting Up. Geospatial Centre University of Waterloo May 2014 Overview ArcGIS Online is a web-based mapping and app-building site created by Esri, the world leader in GIS software. In an effort to empower users of all levels to create interactive maps and applications

More information

Answer the following general questions: 1. What happens when you right click on an icon on your desktop? When you left double click on an icon?

Answer the following general questions: 1. What happens when you right click on an icon on your desktop? When you left double click on an icon? Name: Date: June 27th, 2011 GIS Boot Camps For Educators Practical: Explore ArcGIS 10 Desktop Tools and functionality Day_1 Lecture 1 Sources: o ArcGIS Desktop help o ESRI website o Getting to Know ArcGIS

More information

v SMS 12.1 Tutorial GIS Requirements GIS Module Map Module ArcGis (Optional) Time minutes Prerequisites None Objectives

v SMS 12.1 Tutorial GIS Requirements GIS Module Map Module ArcGis (Optional) Time minutes Prerequisites None Objectives v. 12.1 SMS 12.1 Tutorial Objectives This tutorial demonstrates how to read in data, visualize it, and convert it into SMS coverage data that could be used to build a numeric model. This tutorial will

More information

To change the shape of a floating toolbar

To change the shape of a floating toolbar Modifying toolbars You can change the size of toolbar buttons and reposition, add, or delete toolbar buttons. You can also change the toolbar name and turn tooltips on and off. An important item to note-

More information

SSURGO Processing Tool

SSURGO Processing Tool SSURGO Processing Tool User Guide (Revised 08.02.11) Software Requirements: Setup_SWATioTools_094.exe Windows XP or Windows 7 32-bit with MS Office 2007 (Access and Excel) ArcGIS 9.3.1 SP2 Instructions

More information

Getting Started With UNIX Lab Exercises

Getting Started With UNIX Lab Exercises Getting Started With UNIX Lab Exercises This is the lab exercise handout for the Getting Started with UNIX tutorial. The exercises provide hands-on experience with the topics discussed in the tutorial.

More information

C:\> command prompt DOS prompt cursor

C:\> command prompt DOS prompt cursor MS-DOS Basics The Command Prompt When you first turn on your computer, you will see some cryptic information flash by. MS-DOS displays this information to let you know how it is configuring your computer.

More information

Heads-up Digitizing from Scanned Hard-Copy Maps Part I Georeferencing Scanned Images 1

Heads-up Digitizing from Scanned Hard-Copy Maps Part I Georeferencing Scanned Images 1 Data conversion/entry (GIS, databases) November 21-25, 2006 Freetown, Sierra Leone Heads-up Digitizing from Scanned Hard-Copy Maps Part I Georeferencing Scanned Images 1 Objectives: Explore digital archives

More information

v SMS 12.2 Tutorial GIS Requirements GIS Module Map Module ArcGis (Optional) Time minutes Prerequisites None Objectives

v SMS 12.2 Tutorial GIS Requirements GIS Module Map Module ArcGis (Optional) Time minutes Prerequisites None Objectives v. 12.2 SMS 12.2 Tutorial Objectives This tutorial demonstrates how to read in data, visualize it, and convert it into SMS coverage data that could be used to build a numeric model. This tutorial will

More information

A Hands-on Experience with Arc/Info 8 Desktop

A Hands-on Experience with Arc/Info 8 Desktop Demo of Arc/Info 8 Desktop page 1 of 17 A Hands-on Experience with Arc/Info 8 Desktop Prepared by Xun Shi and Ted Quinby Geography 377 December 2000 In this DEMO, we introduce a brand new edition of ArcInfo,

More information

v SMS 12.3 Tutorial GIS P Prerequisites Time Requirements Objectives

v SMS 12.3 Tutorial GIS P Prerequisites Time Requirements Objectives v. 12.3 SMS 12.3 Tutorial Objectives This tutorial demonstrates how to import data, visualize it, and convert it into SMS coverage data that could be used to build a numeric model. This tutorial will instruct

More information