Description of locateplace Function

Size: px
Start display at page:

Download "Description of locateplace Function"

Transcription

1 Description of locateplace Function This set of notes describes how the custom function locateplace works. This function expects three inputs: a longitude, a latitude, and a string. Both the longitude and latitude are in degrees. A negative longitude means that the location is west of the prime meridian. A negative latitude means that it is in the southern hemisphere. The string is, presumably, the name of a city. The locateplace function returns a three-dimensional uint8 array (with three pages), representing a color image. The following call to locateplace RGB = locateplace( ,36.75,'fresno'); produces this color image: The name Fresno appears at the bottom of the image, and a little, red square marks the location. Geographers characterize longitudes relative to the prime meridian. On a globe, the prime meridian is an imaginary curve that connects the north and south geographic poles, passing through the Royal Observatory, Greenwich, in England. On a flat world map, the prime meridian is a vertical line that passes through Greenwich. Geographers normally denote longitude with a combination of a number and a directional word: east or west. For example, we can say that Fresno has a longitude of west. This means that Fresno is west of the prime meridian. When making calculations with longitudes, it is more convenient to replace the number-plus-directional-word combination with a signed-number. Therefore, it is more convenient in a computer program to give Fresno s 1

2 longitude as , where the minus sign means west of the prime meridian. An implied positive sign (that is, no algebraic sign), on the other hand, means east of the prime meridian. The prime meridian at Greenwich west of prime meridian: east of prime meridian: + 2

3 Geographers denote latitude with a combination of a number and a directional word: north or south. For example, we can say that Fresno has a latitude of north. This means that Fresno is north of the equator. In a computer program, it is more convenient to give Fresno s latitude as 36.75, where the implied positive sign means north of the equator. A negative sign, on the other hand, means south of the equator. north of equator: + south of equator: There is a file topo.mat that comes with the MATLAB installation. When you load topo.mat, the matrix topo appears in the Workspace (along with some other variables). The matrix topo contains data for a relatively coarse topographic representation of the earth s surface. This matrix has 180 rows and 360 columns, storing a worldwide grid of elevations. Each element in topo represents, if positive, the height above sea level in meters or, if negative, the depth of the ocean in meters. The 180 rows represent the integer latitudes 89 (near the geographic south pole) through +90 (the north geographic pole). The 360 columns represent the integer longitudes 0 (the prime meridian) to 180 and 179 to 1. In other words, the first column represents the prime meridian, and each subsequent column represents a longitude that is further to the east than the previous column by 1, until a latitude of 1 is reached (having, therefore, gone around the world). We can create a three-dimensional uint8 array with three pages that represents a color image of the world using the matrix topo. At each point, defined by an integer longitude and an integer latitude, we assign a color to the corresponding pixel of the color image. If the elevation in topo for that point is negative, then the pixel is made blue, representing ocean. But if the elevation is positive, the pixel is made white, representing land. (We ignore the rare instance where the land has a negative elevation, such as occurs in Death Valley.) The result of building this color image is shown on the following page. 3

4 World map created from the matrix topo The above world map is upside-down because the rows in topo start from Antarctica and end at the geographic north pole. The function locateplace needs to fix that. Also, the left edge of the above world map is the prime meridian. Traditionally, we place the prime meridian in the center of a world map, rather than on the left. So the function locateplace should fix that as well. The polar regions are badly distorted when mapping a globe to a flat image. This makes Antarctica look like the biggest continent of all. The function locateplace removes the southernmost latitudes (and, therefore, Antarctica). The function m-file locateplace.m is shown on the next page. The file topo.mat is loaded. A new matrix, topo1, is created from the matrix topo by rearranging columns. topo1(:,180:360) = topo(:,1:181); topo1(:,1:179) = topo(:,182:360); The columns 1 (the prime meridian) through 181 (latitude 180 ) of topo are moved to columns 180 through 360 of topo1. The columns 182 (latitude 179 ) through 360 (latitude 1 ) of topo are moved to columns 1 through 179 of topo1. This rearrangement of the columns means that the prime meridian is now at the center of the world map. A new matrix, topo2, is created from the matrix topo1 by removing the first 30 rows. This removes latitudes 89 through 60 (and, therefore, Antarctica). topo2(1:150,:) = topo1(31:180,:); A new matrix, topo3, is created from the matrix topo2 by a vertical flip. That is to say, the top and bottom rows are interchanged, the second and next-to-last rows are interchanged, etc. topo3 = flipud(topo2); 4

5 function RGB = locateplace(longitude,latitude,name) % Makes an image: world map with marked location and title % Inputs: % longitude = signed longitude, deg (-177 to 178) % latitude = signed latitude, deg (-58 to 88) % name = placename (string) % Output: % RGB = 3-dimensional array representing color image % Sign convention for longitudes and latitudes: % The prime meridian, which passes through Greenwich, % England, has longitude 0 deg. A longitude between % -180 and 0 deg is west of the prime meridian. A % longitude between 0 and +180 deg is east of the prime % meridian. A latitude between -90 and 0 deg is south % south of the equator. A latitude between 0 and +90 % is north of the equator. % How this function works: % The file topo.mat, a built-in MATLAB data file, % contains a matrix with 180 rows (one for % each integer-degree latitude -89 to 90) and 360 % columns (one for each integer-degree longitude % 0 to 359). Each element in the matrix is the % elevation above sea level in meters. This function % reorganizes columns in the matrix so that the columns % correspond to geographers' designation of longitudes: % -179 deg to +180 deg. Antarctica is removed because % it distorts badly in the sphere-to-flat transformation. % Negative elevations, assumed to be ocean, are made blue, % and positive elevations, assumed to be land, are made % white. A little, red square is added at the specified % longitude and latitude. A title is added. load topo topo1(:,180:360) = topo(:,1:181); topo1(:,1:179) = topo(:,182:360); topo2(1:150,:) = topo1(31:180,:); % Antarctica removed topo3 = flipud(topo2); % top row becomes Arctic worldmap = zeros(150,360,3,'uint8'); worldmap(:,:,3) = 255; land = (topo3 > 0); worldmap(:,:,1) = 255*land; worldmap(:,:,2) = 255*land; row = round(90-latitude+1); column = round(180+longitude); worldmap(row-2:row+2,column-2:column+2,1) = 255; worldmap(row-2:row+2,column-2:column+2,2:3) = 0; RGB = inserttext(worldmap,[180,130],... name,'boxcolor','blue','textcolor','white'); end % locateplace 5

6 A three-dimensional uint8 array, worldmap, is created. The blue intensities for all pixels are set to the maximum value (255). This is the correct blue intensity for both the colors blue and white. worldmap = zeros(150,360,3,'uint8'); worldmap(:,:,3) = 255; Land is identified by asking where the elevations of the matrix topo3 are positive. The result is a logical matrix, land. An element of land is a logical 1 if the corresponding element of topo3 is positive, otherwise that element of land is a logical 0. The red and green intensities are set to the maximum value (255) for those pixels identified with a logical 1 in land. For these pixels that are identified as land, the red, green and blue intensities are therefore all 255, and the result is white. land = (topo3 > 0); worldmap(:,:,1) = 255*land; worldmap(:,:,2) = 255*land; The city s location, defined by the inputs longitude and latitude, are associated with a row and column in worldmap. The function round is used to ensure that these indices are whole, positive numbers. row = round(90-latitude+1); column = round(180+longitude); A little, red square is placed at the city s location. worldmap(row-2:row+2,column-2:column+2,1) = 255; worldmap(row-2:row+2,column-2:column+2,2:3) = 0; A new three-dimensional uint8 array, RGB, is created from worldmap by the addition of the city s name. RGB = inserttext(worldmap,[180,130],... name,'boxcolor','blue','textcolor','white'); 6

Earth Coordinates & Grid Coordinate Systems

Earth Coordinates & Grid Coordinate Systems Earth Coordinates & Grid Coordinate Systems How do we model the earth? Datums Datums mathematically describe the surface of the Earth. Accounts for mean sea level, topography, and gravity models. Projections

More information

An Introduction to Coordinate Systems in South Africa

An Introduction to Coordinate Systems in South Africa An Introduction to Coordinate Systems in South Africa Centuries ago people believed that the earth was flat and notwithstanding that if this had been true it would have produced serious problems for mariners

More information

Topographic Maps Practice Questions and Answers Revised October 2007

Topographic Maps Practice Questions and Answers Revised October 2007 Topographic Maps Practice Questions and Answers Revised October 2007 1. In the illustration shown below what navigational features are represented by A, B, and C? Note that A is a critical city in defining

More information

Plotting Earthquake Epicenters an activity for seismic discovery

Plotting Earthquake Epicenters an activity for seismic discovery Plotting Earthquake Epicenters an activity for seismic discovery Tammy K Bravo Anne M Ortiz Plotting Activity adapted from: Larry Braile and Sheryl Braile Department of Earth and Atmospheric Sciences Purdue

More information

IAntarcticaI. IArctic Ocean I. Where in the World? Arctic Ocean. Pacific Ocean. Pacific Ocean. Atlantic Ocean. North America.

IAntarcticaI. IArctic Ocean I. Where in the World? Arctic Ocean. Pacific Ocean. Pacific Ocean. Atlantic Ocean. North America. Name ------------------------------ Where in the World? Continents and s Arctic Pacific Pacific Atlantic.1.... 0" o ". North America South America Antarctica Arctic 261 Name Where in the World Continents

More information

Lines on Maps and Globes. Cross Curricular Writing Activity Social Studies Grade 4

Lines on Maps and Globes. Cross Curricular Writing Activity Social Studies Grade 4 Lines on Maps and Globes Cross Curricular Writing Activity Social Studies Grade 4 Fourth Grade Social Studies Standard Map: Chart/Globe The learner will be able to use maps, charts, graphs, and globes

More information

UTM: Universal Transverse Mercator Coordinate System

UTM: Universal Transverse Mercator Coordinate System Practical Cartographer s Reference #01 UTM: Universal Transverse Mercator Coordinate System 180 174w 168w 162w 156w 150w 144w 138w 132w 126w 120w 114w 108w 102w 96w 90w 84w 78w 72w 66w 60w 54w 48w 42w

More information

How do you find a place on a globe? How do you look up a place based on latitude and longitude?

How do you find a place on a globe? How do you look up a place based on latitude and longitude? Why are globes tilted? Most Replogle globes are made to tilt at an angle of 23.5º to match the actual tilt of the earth in relationship to our sun. Incidentally, it is this tilting of the earth relative

More information

Coordinate Systems. Orbits and Rotation

Coordinate Systems. Orbits and Rotation Coordinate Systems Orbits and Rotation Earth orbit. The earth s orbit around the sun is nearly circular but not quite. It s actually an ellipse whose average distance from the sun is one AU (150 million

More information

The Globe Latitudes and Longitudes

The Globe Latitudes and Longitudes INDIAN SCHOOL MUSCAT MIDDLE SECTION DEPARTMENT OF SOCIAL SCIENCE The Globe Latitudes and Longitudes NAME: CLASS VI SEC: ROLL NO: DATE:.04.2015 I NAME THE FOLLOWING: 1. A small spherical model of the Earth:

More information

Solar Angles and Latitude

Solar Angles and Latitude Solar Angles and Latitude Objectives The student will understand that the sun is not directly overhead at noon in most latitudes. The student will research and discover the latitude ir classroom and calculate

More information

Module 11: The Cruise Ship Sector. Destination #3

Module 11: The Cruise Ship Sector. Destination #3 Module 11: The Cruise Ship Sector Destination #3 Cruise Destinations Welcome to your third destination. Use the following resource article to learn about the different oceans and time zones. Seen from

More information

Visualizing of Berkeley Earth, NASA GISS, and Hadley CRU averaging techniques

Visualizing of Berkeley Earth, NASA GISS, and Hadley CRU averaging techniques Visualizing of Berkeley Earth, NASA GISS, and Hadley CRU averaging techniques Robert Rohde Lead Scientist, Berkeley Earth Surface Temperature 1/15/2013 Abstract This document will provide a simple illustration

More information

ES 106 Laboratory # 3 INTRODUCTION TO OCEANOGRAPHY. Introduction The global ocean covers nearly 75% of Earth s surface and plays a vital role in

ES 106 Laboratory # 3 INTRODUCTION TO OCEANOGRAPHY. Introduction The global ocean covers nearly 75% of Earth s surface and plays a vital role in ES 106 Laboratory # 3 INTRODUCTION TO OCEANOGRAPHY 3-1 Introduction The global ocean covers nearly 75% of Earth s surface and plays a vital role in the physical environment of Earth. For these reasons,

More information

EPSG. Coordinate Reference System Definition - Recommended Practice. Guidance Note Number 5

EPSG. Coordinate Reference System Definition - Recommended Practice. Guidance Note Number 5 European Petroleum Survey Group EPSG Guidance Note Number 5 Coordinate Reference System Definition - Recommended Practice Revision history: Version Date Amendments 1.0 April 1997 First release. 1.1 June

More information

The Map Grid of Australia 1994 A Simplified Computational Manual

The Map Grid of Australia 1994 A Simplified Computational Manual The Map Grid of Australia 1994 A Simplified Computational Manual The Map Grid of Australia 1994 A Simplified Computational Manual 'What's the good of Mercator's North Poles and Equators, Tropics, Zones

More information

Gravitational potential

Gravitational potential Gravitational potential Let s assume: A particle of unit mass moving freely A body of mass M The particle is attracted by M and moves toward it by a small quantity dr. This displacement is the result of

More information

Stage 4. Geography. Blackline Masters. By Karen Devine

Stage 4. Geography. Blackline Masters. By Karen Devine 1 Devine Educational Consultancy Services Stage 4 Geography Blackline Masters By Karen Devine Updated January 2010 2 This book is intended for the exclusive use in NSW Secondary Schools. It is meant to

More information

Unit One Study Guide

Unit One Study Guide Unit One Study Guide Terms BCE: Before the Common Era. Referring to the time before Christ s birth. CE: Common Era. Referring to the time after Christ s birth. BC: Before Christ. Referring to the time

More information

Arithmetic and Algebra of Matrices

Arithmetic and Algebra of Matrices Arithmetic and Algebra of Matrices Math 572: Algebra for Middle School Teachers The University of Montana 1 The Real Numbers 2 Classroom Connection: Systems of Linear Equations 3 Rational Numbers 4 Irrational

More information

World Map Lesson 4 - The Global Grid System - Grade 6+

World Map Lesson 4 - The Global Grid System - Grade 6+ World Map Lesson 4 - The Global Grid System - Grade 6+ Activity Goal To use the global grid system of latitude and longitude to find specific locations on a world map. Materials Needed: A pencil, a ruler,

More information

A Few Facts about Antarctica

A Few Facts about Antarctica A Few Facts about Antarctica Antarctica is the continent that surrounds the South Pole, the southernmost point at the bottom of the earth. Antarctica is a continent because it is land that is covered by

More information

Pre and post-visit activities - Navigating by the stars

Pre and post-visit activities - Navigating by the stars Pre and post-visit activities - Navigating by the stars Vocabulary List Adult Education at Scienceworks Pre-visit Activity 1: What is longitude and latitude? Activity 2: Using the Southern Cross to find

More information

OBJECTIVES. Identify the means by which latitude and longitude were created and the science upon which they are based.

OBJECTIVES. Identify the means by which latitude and longitude were created and the science upon which they are based. Name: Key OBJECTIVES Correctly define: isolines, gradient, topographic map, contour interval, hachured lines, profile, latitude, longitude, hydrosphere, lithosphere, atmosphere, elevation, model EARTH

More information

MAPS AND GLOBES: WHERE IN THE WORLD ARE WE?

MAPS AND GLOBES: WHERE IN THE WORLD ARE WE? MAPS AND GLOBES: WHERE IN THE WORLD ARE WE? Grade Level: Kindergarten Presented by: Karen Davis and Tamara Young, Tate Elementary, Van Buren, AR Length of unit:5 lessons I. ABSTRACT A. This unit focuses

More information

How Do Oceans Affect Weather and Climate?

How Do Oceans Affect Weather and Climate? How Do Oceans Affect Weather and Climate? In Learning Set 2, you explored how water heats up more slowly than land and also cools off more slowly than land. Weather is caused by events in the atmosphere.

More information

SECOND GRADE 1 WEEK LESSON PLANS AND ACTIVITIES

SECOND GRADE 1 WEEK LESSON PLANS AND ACTIVITIES SECOND GRADE 1 WEEK LESSON PLANS AND ACTIVITIES UNIVERSE CYCLE OVERVIEW OF SECOND GRADE UNIVERSE WEEK 1. PRE: Discovering stars. LAB: Analyzing the geometric pattern of constellations. POST: Exploring

More information

The Basics of Navigation

The Basics of Navigation The Basics of Navigation Knowledge of map reading and the use of the compass is an indispensable skill of bushcraft. Without this skill, a walker is a passenger and mere follower on a trip. To become a

More information

Introduction to GIS (Basics, Data, Analysis) & Case Studies. 13 th May 2004. Content. What is GIS?

Introduction to GIS (Basics, Data, Analysis) & Case Studies. 13 th May 2004. Content. What is GIS? Introduction to GIS (Basics, Data, Analysis) & Case Studies 13 th May 2004 Content Introduction to GIS Data concepts Data input Analysis Applications selected examples What is GIS? Geographic Information

More information

Maps A Primer for Content & Production of Topographic Base Maps For Design Presented by SurvBase, LLC

Maps A Primer for Content & Production of Topographic Base Maps For Design Presented by SurvBase, LLC Maps A Primer for Content & Production of Topographic Base Maps For Design Presented by Definition and Purpose of, Map: a representation of the whole or a part of an area. Maps serve a wide range of purposes.

More information

Beginner s Matlab Tutorial

Beginner s Matlab Tutorial Christopher Lum lum@u.washington.edu Introduction Beginner s Matlab Tutorial This document is designed to act as a tutorial for an individual who has had no prior experience with Matlab. For any questions

More information

Grades 3-5. Benchmark A: Use map elements or coordinates to locate physical and human features of North America.

Grades 3-5. Benchmark A: Use map elements or coordinates to locate physical and human features of North America. Grades 3-5 Students use knowledge of geographic locations, patterns and processes to show the interrelationship between the physical environment and human activity, and to explain the interactions that

More information

SESSION 8: GEOGRAPHIC INFORMATION SYSTEMS AND MAP PROJECTIONS

SESSION 8: GEOGRAPHIC INFORMATION SYSTEMS AND MAP PROJECTIONS SESSION 8: GEOGRAPHIC INFORMATION SYSTEMS AND MAP PROJECTIONS KEY CONCEPTS: In this session we will look at: Geographic information systems and Map projections. Content that needs to be covered for examination

More information

Latitude, Longitude, and Time Zones

Latitude, Longitude, and Time Zones Latitude, Longitude, and Time Zones Typical Graph This is an example of a typical graph. It is made up of points that are connected by a line. Y axis Typical Graph Each point has two values: (4,7) An X

More information

THE UNIVERSAL GRID SYSTEM

THE UNIVERSAL GRID SYSTEM NGA Office of GEOINT Sciences Coordinate Systems Analysis (CSAT) Phone: 314-676-9124 Unclassified Email: coordsys@nga.mil March 2007 THE UNIVERSAL GRID SYSTEM Universal Transverse Mercator (UTM) Military

More information

6. The greatest atmospheric pressure occurs in the 1) troposphere 3) mesosphere 2) stratosphere 4) thermosphere

6. The greatest atmospheric pressure occurs in the 1) troposphere 3) mesosphere 2) stratosphere 4) thermosphere 1. The best evidence of the Earth's nearly spherical shape is obtained through telescopic observations of other planets photographs of the Earth from an orbiting satellite observations of the Sun's altitude

More information

6 th Grade Vocabulary-ALL CAMPUSES

6 th Grade Vocabulary-ALL CAMPUSES 6 th Grade Vocabulary-ALL CAMPUSES 6.1 History. The student understands that historical events influence contemporary events. (B) analyze the historical background of the United States to evaluate relationships

More information

Learning about GPS and GIS

Learning about GPS and GIS Learning about GPS and GIS Standards 4.4 Understand geographic information systems (G.I.S.). B12.1 Understand common surveying techniques used in agriculture (e.g., leveling, land measurement, building

More information

Basic Coordinates & Seasons Student Guide

Basic Coordinates & Seasons Student Guide Name: Basic Coordinates & Seasons Student Guide There are three main sections to this module: terrestrial coordinates, celestial equatorial coordinates, and understanding how the ecliptic is related to

More information

Where in the World is the arctic?

Where in the World is the arctic? Where in the World is the arctic? Summary: Students map the arctic in relation to their home in order to learn the location and countries of the arctic. Grade Level: 3-4; 5-8; K-2 Time one class period.

More information

MGL Avionics. MapMaker 2. User guide

MGL Avionics. MapMaker 2. User guide MGL Avionics MapMaker 2 User guide General The MGL Avionics MapMaker application is used to convert digital map images into the raster map format suitable for MGL EFIS systems. Note: MapMaker2 produces

More information

Week 1. Week 2. Week 3

Week 1. Week 2. Week 3 Week 1 1. What US city has the largest population? 2. Where is Aachen? 3. What is the capitol of Florida? 4. What is the longest mountain range in Spain? 5. What countries border Equador? Week 2 1. What

More information

Topo Grabber Help. 2010 Fountain Computer Products

Topo Grabber Help. 2010 Fountain Computer Products Topo Grabber Help Topo Grabber Help All rights reserved. No parts of this work may be reproduced in any form or by any means - graphic, electronic, or mechanical, including photocopying, recording, taping,

More information

White Paper. PlanetDEM 30. PlanetObserver 25/11/2014 - Update

White Paper. PlanetDEM 30. PlanetObserver 25/11/2014 - Update White Paper PlanetDEM 30 PlanetObserver 25/11/2014 - Update PlanetObserver France www.planetobserver.com msat@planetobserver.com Tel. +33 4 73 44 19 00 1. Introduction PlanetObserver presents PlanetDEM

More information

Multiplication. Year 1 multiply with concrete objects, arrays and pictorial representations

Multiplication. Year 1 multiply with concrete objects, arrays and pictorial representations Year 1 multiply with concrete objects, arrays and pictorial representations Children will experience equal groups of objects and will count in 2s and 10s and begin to count in 5s. They will work on practical

More information

Lines of Latitude and Longitude

Lines of Latitude and Longitude ED 5661 Mathematics & Navigation Teacher Institute Keith Johnson Lesson Plan Lines of Latitude and Longitude Lesson Overview: This lesson plan will introduce students to latitude and longitude along with

More information

Content Standard for Digital Geospatial Metadata Workbook (For use with FGDC-STD-001-1998)

Content Standard for Digital Geospatial Metadata Workbook (For use with FGDC-STD-001-1998) NSDI National Spatial Data Infrastructure Content Standard for Digital Geospatial Metadata Workbook (For use with ) Version 2.0 Federal Geographic Data Committee May 1, 2000 Federal Geographic Data Committee

More information

What Causes Climate? Use Target Reading Skills

What Causes Climate? Use Target Reading Skills Climate and Climate Change Name Date Class Climate and Climate Change Guided Reading and Study What Causes Climate? This section describes factors that determine climate, or the average weather conditions

More information

Sun Earth Relationships

Sun Earth Relationships 1 ESCI-61 Introduction to Photovoltaic Technology Sun Earth Relationships Ridha Hamidi, Ph.D. Spring (sun aims directly at equator) Winter (northern hemisphere tilts away from sun) 23.5 2 Solar radiation

More information

3D Visualization of Seismic Activity Associated with the Nazca and South American Plate Subduction Zone (Along Southwestern Chile) Using RockWorks

3D Visualization of Seismic Activity Associated with the Nazca and South American Plate Subduction Zone (Along Southwestern Chile) Using RockWorks 3D Visualization of Seismic Activity Associated with the Nazca and South American Plate Subduction Zone (Along Southwestern Chile) Using RockWorks Table of Contents Figure 1: Top of Nazca plate relative

More information

Geography I Pre Test #1

Geography I Pre Test #1 Geography I Pre Test #1 1. The sun is a star in the galaxy. a) Orion b) Milky Way c) Proxima Centauri d) Alpha Centauri e) Betelgeuse 2. The response to earth's rotation is a) an equatorial bulge b) polar

More information

The following words and their definitions should be addressed before completion of the reading:

The following words and their definitions should be addressed before completion of the reading: Seasons Vocabulary: The following words and their definitions should be addressed before completion of the reading: sphere any round object that has a surface that is the same distance from its center

More information

KINECT PROJECT EITAN BABCOCK REPORT TO RECEIVE FINAL EE CREDIT FALL 2013

KINECT PROJECT EITAN BABCOCK REPORT TO RECEIVE FINAL EE CREDIT FALL 2013 KINECT PROJECT EITAN BABCOCK REPORT TO RECEIVE FINAL EE CREDIT FALL 2013 CONTENTS Introduction... 1 Objective... 1 Procedure... 2 Converting Distance Array to 3D Array... 2 Transformation Matrices... 4

More information

Celestial Observations

Celestial Observations Celestial Observations Earth experiences two basic motions: Rotation West-to-East spinning of Earth on its axis (v rot = 1770 km/hr) (v rot Revolution orbit of Earth around the Sun (v orb = 108,000 km/hr)

More information

NCSS Theme #1 Lesson Plan: Culture

NCSS Theme #1 Lesson Plan: Culture NCSS Theme #1 Lesson Plan: Culture Lesson Title: World Religions Lesson Author: Kathryn Yarbrough Key Curriculum Words: Judaism, Christianity, Islam, Buddhism, Hinduism, religion, monotheism, polytheism

More information

Create a folder on your network drive called DEM. This is where data for the first part of this lesson will be stored.

Create a folder on your network drive called DEM. This is where data for the first part of this lesson will be stored. In this lesson you will create a Digital Elevation Model (DEM). A DEM is a gridded array of elevations. In its raw form it is an ASCII, or text, file. First, you will interpolate elevations on a topographic

More information

SOUTH AMERICA CONTENTS. What s in This Book... 2. Section 1: South America in the World... 3. Section 2: Political Divisions of South America...

SOUTH AMERICA CONTENTS. What s in This Book... 2. Section 1: South America in the World... 3. Section 2: Political Divisions of South America... SOUTH CONTENTS What s in This Book 2 Section 1: 3 Section 2: Political Divisions of 1 Section 3: Physical Features of 41 Section 4: Valuable Resources of 67 Section : n Culture 89 Section 6: Assessment

More information

TerraColor White Paper

TerraColor White Paper TerraColor White Paper TerraColor is a simulated true color digital earth imagery product developed by Earthstar Geographics LLC. This product was built from imagery captured by the US Landsat 7 (ETM+)

More information

CHAPTER 9 SURVEYING TERMS AND ABBREVIATIONS

CHAPTER 9 SURVEYING TERMS AND ABBREVIATIONS CHAPTER 9 SURVEYING TERMS AND ABBREVIATIONS Surveying Terms 9-2 Standard Abbreviations 9-6 9-1 A) SURVEYING TERMS Accuracy - The degree of conformity with a standard, or the degree of perfection attained

More information

Chapter 4: The Concept of Area

Chapter 4: The Concept of Area Chapter 4: The Concept of Area Defining Area The area of a shape or object can be defined in everyday words as the amount of stuff needed to cover the shape. Common uses of the concept of area are finding

More information

Understanding Raster Data

Understanding Raster Data Introduction The following document is intended to provide a basic understanding of raster data. Raster data layers (commonly referred to as grids) are the essential data layers used in all tools developed

More information

Cut and Fill Calculations. Cut and Fill Calculations. Cut and Fill Calculations. Cut and Fill Calculations. Cut and Fill Calculations

Cut and Fill Calculations. Cut and Fill Calculations. Cut and Fill Calculations. Cut and Fill Calculations. Cut and Fill Calculations CIVL Cut-and-Fill - Part / Calculation of the cut-and-fill is an essential component to any site development project CIVL Cut-and-Fill - Part / From the topographic data of the site, different alternative

More information

Exploring plate motion and deformation in California with GPS

Exploring plate motion and deformation in California with GPS Exploring plate motion and deformation in California with GPS Student worksheet Cate Fox-Lent, UNAVCO master teacher; Andy Newman, Georgia Institute of Technology; Shelley Olds, UNAVCO; and revised by

More information

The Ice Age By: Sue Peterson

The Ice Age By: Sue Peterson www.k5learning.com Objective sight words (pulses, intermittent, isotopes, chronicle, methane, tectonic plates, volcanism, configurations, land-locked, erratic); concepts (geological evidence and specific

More information

Step 2: Learn where the nearest divergent boundaries are located.

Step 2: Learn where the nearest divergent boundaries are located. What happens when plates diverge? Plates spread apart, or diverge, from each other at divergent boundaries. At these boundaries new ocean crust is added to the Earth s surface and ocean basins are created.

More information

Using Handheld GPS Units in the Field Overview

Using Handheld GPS Units in the Field Overview Using Handheld GPS Units in the Field Overview Most recently revised 3/13/12 Equipment to have with you in the field PC laptop loaded with: - ESRI ArcMap 10 (get from Tufts GIS Support) - DNR Garmin (freeware

More information

WE VE GOT THE WHOLE WORLD IN OUR HANDS: Geography Spatial Sense

WE VE GOT THE WHOLE WORLD IN OUR HANDS: Geography Spatial Sense WE VE GOT THE WHOLE WORLD IN OUR HANDS: Geography Spatial Sense Grade Level: Written by: Length of Unit: Third Grade Wendy S. Hyndman, The Classical Academy, Colorado Springs, CO Doreen W. Jennings, Lincoln

More information

CS1112 Spring 2014 Project 4. Objectives. 3 Pixelation for Identity Protection. due Thursday, 3/27, at 11pm

CS1112 Spring 2014 Project 4. Objectives. 3 Pixelation for Identity Protection. due Thursday, 3/27, at 11pm CS1112 Spring 2014 Project 4 due Thursday, 3/27, at 11pm You must work either on your own or with one partner. If you work with a partner you must first register as a group in CMS and then submit your

More information

11.1. Objectives. Component Form of a Vector. Component Form of a Vector. Component Form of a Vector. Vectors and the Geometry of Space

11.1. Objectives. Component Form of a Vector. Component Form of a Vector. Component Form of a Vector. Vectors and the Geometry of Space 11 Vectors and the Geometry of Space 11.1 Vectors in the Plane Copyright Cengage Learning. All rights reserved. Copyright Cengage Learning. All rights reserved. 2 Objectives! Write the component form of

More information

MAIN_SNP_TOPO.dgm_2m

MAIN_SNP_TOPO.dgm_2m Seite 1 von 7 MAIN_SNP_TOPO.dgm_2m SDE Raster Dataset Tags dgm_2m, dgm_gr_snp, dgm1177bis1258, dtm4, lomb_dtm_20, dem2_5_apb, dhm10, dem20_apb, dsm2_voralberg, dsm10_tirol Summary There is no summary for

More information

Searching Land Records thru the BLM General Land Office Records.

Searching Land Records thru the BLM General Land Office Records. Searching Land Records thru the BLM General Land Office Records. Land Records can be an exciting addition to your family history search. The United States Government transferred ownership of land to millions

More information

Ocean Level-3 Standard Mapped Image Products June 4, 2010

Ocean Level-3 Standard Mapped Image Products June 4, 2010 Ocean Level-3 Standard Mapped Image Products June 4, 2010 1.0 Introduction This document describes the specifications of Ocean Level-3 standard mapped archive products that are produced and distributed

More information

Temporal variation in snow cover over sea ice in Antarctica using AMSR-E data product

Temporal variation in snow cover over sea ice in Antarctica using AMSR-E data product Temporal variation in snow cover over sea ice in Antarctica using AMSR-E data product Michael J. Lewis Ph.D. Student, Department of Earth and Environmental Science University of Texas at San Antonio ABSTRACT

More information

Where On Earth Will Three Different Satellites Provide Simultaneous Coverage?

Where On Earth Will Three Different Satellites Provide Simultaneous Coverage? Where On Earth Will Three Different Satellites Provide Simultaneous Coverage? In this exercise you will use STK/Coverage to model and analyze the quality and quantity of coverage provided by the Earth

More information

Math 215 Project (25 pts) : Using Linear Algebra to solve GPS problem

Math 215 Project (25 pts) : Using Linear Algebra to solve GPS problem Due Thursday March 1, 2012 NAME(S): Math 215 Project (25 pts) : Using Linear Algebra to solve GPS problem 0.1 Introduction The age old question, Where in the world am I? can easily be solved nowadays by

More information

EARTH SCIENCES - TYPES OF MAPS TEACHER GUIDE

EARTH SCIENCES - TYPES OF MAPS TEACHER GUIDE EARTH SCIENCES - TYPES OF MAPS TEACHER GUIDE MATERIALS: Electronic Reader - Maps 5 different types of maps (see lab) inflatable globes local topographical map Objective: To understand the uses and importance

More information

Stellarium a valuable resource for teaching astronomy in the classroom and beyond

Stellarium a valuable resource for teaching astronomy in the classroom and beyond Stellarium 1 Stellarium a valuable resource for teaching astronomy in the classroom and beyond Stephen Hughes Department of Physical and Chemical Sciences, Queensland University of Technology, Gardens

More information

Factorizations: Searching for Factor Strings

Factorizations: Searching for Factor Strings " 1 Factorizations: Searching for Factor Strings Some numbers can be written as the product of several different pairs of factors. For example, can be written as 1, 0,, 0, and. It is also possible to write

More information

AP Computer Science Java Mr. Clausen Program 9A, 9B

AP Computer Science Java Mr. Clausen Program 9A, 9B AP Computer Science Java Mr. Clausen Program 9A, 9B PROGRAM 9A I m_sort_of_searching (20 points now, 60 points when all parts are finished) The purpose of this project is to set up a program that will

More information

Data Storage 3.1. Foundations of Computer Science Cengage Learning

Data Storage 3.1. Foundations of Computer Science Cengage Learning 3 Data Storage 3.1 Foundations of Computer Science Cengage Learning Objectives After studying this chapter, the student should be able to: List five different data types used in a computer. Describe how

More information

FIRST GRADE 1 WEEK LESSON PLANS AND ACTIVITIES

FIRST GRADE 1 WEEK LESSON PLANS AND ACTIVITIES FIRST GRADE 1 WEEK LESSON PLANS AND ACTIVITIES UNIVERSE CYCLE OVERVIEW OF FIRST GRADE UNIVERSE WEEK 1. PRE: Describing the Universe. LAB: Comparing and contrasting bodies that reflect light. POST: Exploring

More information

Motion & The Global Positioning System (GPS)

Motion & The Global Positioning System (GPS) Grade Level: K - 8 Subject: Motion Prep Time: < 10 minutes Duration: 30 minutes Objective: To learn how to analyze GPS data in order to track an object and derive its velocity from positions and times.

More information

Zachary Monaco Georgia College Olympic Coloring: Go For The Gold

Zachary Monaco Georgia College Olympic Coloring: Go For The Gold Zachary Monaco Georgia College Olympic Coloring: Go For The Gold Coloring the vertices or edges of a graph leads to a variety of interesting applications in graph theory These applications include various

More information

Using Google Earth to Explore Plate Tectonics

Using Google Earth to Explore Plate Tectonics Using Google Earth to Explore Plate Tectonics Laurel Goodell, Department of Geosciences, Princeton University, Princeton, NJ 08544 laurel@princeton.edu Inspired by, and borrows from, the GIS-based Exploring

More information

. 0 1 10 2 100 11 1000 3 20 1 2 3 4 5 6 7 8 9

. 0 1 10 2 100 11 1000 3 20 1 2 3 4 5 6 7 8 9 Introduction The purpose of this note is to find and study a method for determining and counting all the positive integer divisors of a positive integer Let N be a given positive integer We say d is a

More information

Graphing Sea Ice Extent in the Arctic and Antarctic

Graphing Sea Ice Extent in the Arctic and Antarctic Graphing Sea Ice Extent in the Arctic and Antarctic Summary: Students graph sea ice extent (area) in both polar regions (Arctic and Antarctic) over a three-year period to learn about seasonal variations

More information

compass Encyclopedic Entry

compass Encyclopedic Entry This website would like to remind you: Your browser (Apple Safari 7) is out of date. Update your browser for more security, comfort and the best experience on this site. Encyclopedic Entry compass For

More information

Solving Systems of Linear Equations Using Matrices

Solving Systems of Linear Equations Using Matrices Solving Systems of Linear Equations Using Matrices What is a Matrix? A matrix is a compact grid or array of numbers. It can be created from a system of equations and used to solve the system of equations.

More information

Lecture 2. Map Projections and GIS Coordinate Systems. Tomislav Sapic GIS Technologist Faculty of Natural Resources Management Lakehead University

Lecture 2. Map Projections and GIS Coordinate Systems. Tomislav Sapic GIS Technologist Faculty of Natural Resources Management Lakehead University Lecture 2 Map Projections and GIS Coordinate Systems Tomislav Sapic GIS Technologist Faculty of Natural Resources Management Lakehead University Map Projections Map projections are mathematical formulas

More information

SOLAR CALCULATIONS (2)

SOLAR CALCULATIONS (2) OLAR CALCULATON The orbit of the Earth is an ellise not a circle, hence the distance between the Earth and un varies over the year, leading to aarent solar irradiation values throughout the year aroximated

More information

量 說 Explanatory Notes on Geodetic Datums in Hong Kong

量 說 Explanatory Notes on Geodetic Datums in Hong Kong 量 說 Explanatory Notes on Geodetic Datums in Hong Kong Survey & Mapping Office Lands Department 1995 All Right Reserved by Hong Kong Government 留 CONTENTS INTRODUCTION............... A1 HISTORICAL BACKGROUND............

More information

Applying MapCalc Map Analysis Software

Applying MapCalc Map Analysis Software Applying MapCalc Map Analysis Software Using MapCalc s Shading Manager for Displaying Continuous Maps: The display of continuous data, such as elevation, is fundamental to a grid-based map analysis package.

More information

USING MAPS AND GLOBES

USING MAPS AND GLOBES USING MAPS AND GLOBES Grade Level or Special Area: 4 th Grade Written by: Krystal Kroeker, Colorado Springs Charter Academy, Colorado Springs, CO Length of Unit: Five lessons (approximately one week (five

More information

Lab Activity on Global Wind Patterns

Lab Activity on Global Wind Patterns Lab Activity on Global Wind Patterns 2002 Ann Bykerk-Kauffman, Dept. of Geological and Environmental Sciences, California State University, Chico * Objectives When you have completed this lab you should

More information

1 213 Ref: Compass, Boxing, Heading C A vessel heading ENE is on a course of. A. 022.5 C. 067.5 B. 045.0 D. 090.0

1 213 Ref: Compass, Boxing, Heading C A vessel heading ENE is on a course of. A. 022.5 C. 067.5 B. 045.0 D. 090.0 1 213 Ref: Compass, Boxing, Heading C A vessel heading ENE is on a course of. A. 022.5 C. 067.5 B. 045.0 D. 090.0 2 214 Ref: Compass, Boxing, Heading A A vessel heading ESE is on a course of. A. 112.5

More information

Chapter Overview. Seasons. Earth s Seasons. Distribution of Solar Energy. Solar Energy on Earth. CHAPTER 6 Air-Sea Interaction

Chapter Overview. Seasons. Earth s Seasons. Distribution of Solar Energy. Solar Energy on Earth. CHAPTER 6 Air-Sea Interaction Chapter Overview CHAPTER 6 Air-Sea Interaction The atmosphere and the ocean are one independent system. Earth has seasons because of the tilt on its axis. There are three major wind belts in each hemisphere.

More information

The Image Deblurring Problem

The Image Deblurring Problem page 1 Chapter 1 The Image Deblurring Problem You cannot depend on your eyes when your imagination is out of focus. Mark Twain When we use a camera, we want the recorded image to be a faithful representation

More information

Using MATLAB to Measure the Diameter of an Object within an Image

Using MATLAB to Measure the Diameter of an Object within an Image Using MATLAB to Measure the Diameter of an Object within an Image Keywords: MATLAB, Diameter, Image, Measure, Image Processing Toolbox Author: Matthew Wesolowski Date: November 14 th 2014 Executive Summary

More information

ALGEBRA. sequence, term, nth term, consecutive, rule, relationship, generate, predict, continue increase, decrease finite, infinite

ALGEBRA. sequence, term, nth term, consecutive, rule, relationship, generate, predict, continue increase, decrease finite, infinite ALGEBRA Pupils should be taught to: Generate and describe sequences As outcomes, Year 7 pupils should, for example: Use, read and write, spelling correctly: sequence, term, nth term, consecutive, rule,

More information

The Celestial Sphere. Questions for Today. The Celestial Sphere 1/18/10

The Celestial Sphere. Questions for Today. The Celestial Sphere 1/18/10 Lecture 3: Constellations and the Distances to the Stars Astro 2010 Prof. Tom Megeath Questions for Today How do the stars move in the sky? What causes the phases of the moon? What causes the seasons?

More information