Oracle Spatial Summit

Size: px
Start display at page:

Download "Oracle Spatial Summit"

Transcription

1 Oracle Spatial Summit 2015 Oracle Spatial 12c as an Applied Science for Solving Today's Real-World Engineering Problems Tracy McLane, GIS Manager Bechtel Infrastructure

2 Speaker Bio Tracy McLane is currently the GIS Manager for the Bechtel Infrastructure Global Business Unit (GBU), where she also serves as the GIS Technical Discipline Lead for the company. She is responsible for the development of the GIS Technical Center of Excellence for Bechtel and has implemented an Enterprise GIS database and centralized GIS Knowledge Bank for the Bechtel GIS user community. Tracy was named as one of ten Bechtel Distinguished Scientists in the Bechtel Distinguished Engineers and Scientists (BDES) program in 2012, and currently serves as the Vice Chairman on the Oracle Spatial Special Interest Group (SIG) Board of Directors in the Independent Oracle Users Group (IOUG). Ms. McLane has worked in the GIS industry for more than 20 years, and has provided GIS support for each of Bechtel s Global Business Units (GBUs) during her 17+ years with the company. Ms. McLane s previous GIS experience includes work at the Tennessee Valley Authority and the U. S. Department of Energy Bechtel Savannah River Site before taking her current position with Bechtel in March of Ms. McLane holds a Masters of Science degree in Geography from the University of Tennessee in Knoxville, Tennessee and a Bachelor of Arts degree in International Business from Eckerd College in Saint Petersburg, Florida.

3 Bechtel Corporate Enterprise GIS (BecGIS) OVERVIEW Company: Bechtel Top U.S. construction contractor by Engineering News- Record (ENR) for 17 straight years Bechtel has worked on more than 25,000 projects in 160 countries on all seven continents. Bechtel has over 40 offices and 58,000 employees in nearly 40 countries. Signature Projects: Hoover Dam, English Channel Tunnel, Hong Kong International Airport, Ivanpah Solar Energy Site System: BecGIS Internal users for multiple Global Business Units (GBUs) Development and Production Environments GIS Architecture on Bechtel Network CHALLENGES / OPPORTUNITIES GIS Data Configuration Management Processes Spatial Data Content Sharing and the User Experience Scalable, Multi-Tiered Data Security Integration of Disparate Data Effective Spatial Data Process Workflows Data Integrity and Documentation of Accuracies SOLUTIONS Oracle Database 12c Enterprise Edition Use of Spatial Views for Filtering and Analysis Oracle Automation with PL/SQL Use of JSON Parsing to Create SDO Geometries RESULTS Centralized spatial data repository with feature-level metadata and reduced data maintenance costs More effective Big Data handling and processing Leveraging Oracle database automation to reduce data analysis costs

4 Objectives Bechtel's large engineering and construction projects require a vast amount of varied spatial data for real-world problem solving. The ability to manage and manipulate these data on an Enterprise basis is well-served in an Oracle Spatial and Graph 12c database environment, where the spatial data that technical specialists and engineers need can easily be analyzed to support the work that they do. JSON data file loading and parsing for indoor location tracking earthquake catalog classification for seismic hazard study analyses by the seismologist dynamic hydraulic gradient calculations used for groundwater modeling by the hydrologist dynamic commodity cost calculations for construction materials for the field engineer This presentation will take an in-depth look at Oracle Spatial technologies as an applied science in the world of engineering using the above case studies Bechtel 4 Level 4 - Bechtel Public

5 Handling of Unstructured Data With the variety of data available for spatial analysis, not all of it is structured in such a way to make it readily usable for the creation of spatial geometry and analytics. A common format for today s unstructured data is JSON, with GeoJSON it geospatial counterpart for GIS users. However, not all unstructured data is readily available in GeoJSON, which then limits the ability to integrate the data with other spatial datasets for analytics, and in the new world of Big Data, this is especially important Bechtel 5 Level 4 - Bechtel Public

6 Copying the JSON Files to the Server One of the first steps is to get the JSON files to a location the database. The use of a database-defined external directory on the Oracle database server is one way to do this. Example: Copy JSON from GIS Share Drive to Oracle Server (Copy_JSON.bat Code by Tracy McLane) copy <server input directory>\*.json <server output directory>\*. \. del <server input directory>\*. \*.json copy <share drive directory>\*.json <server input directory>\. sqlplus <user>@<oracle <input directory>\parse_json.sql" The batch file to copy the JSON files can be put on a server scheduled task: Example: Scheduled Task Copy JSON File 1-minute intervals) Code by Tracy McLane schtasks /create /sc minute /mo 1 /tn "Copy JSON Files" /tr <server input directory>\copy_json.bat 2016 Bechtel 6 Level 4 - Bechtel Public

7 Loading the JSON Data One way of handling large JSON datasets that lack a standardized structure is to load the files into a JSON table in an Oracle Spatial database from files located in a database-defined external directory ( Creating an External Table, Oracle Database 10g: The Complete Reference, p 479). Example: Code by Tracy McLane CREATE TABLE <json_table> (json_document CLOB) ORGANIZATION EXTERNAL (TYPE ORACLE_LOADER DEFAULT DIRECTORY <external directory> ACCESS PARAMETERS (RECORDS DELIMITED BY 0x'0A' DISABLE_DIRECTORY_LINK_CHECK BADFILE <external directory>: 'JSONDumpFile.bad' LOGFILE <external directory>: 'JSONDumpFile.log' FIELDS (json_document CHAR(5000))) LOCATION (<external directory>:'*.json')) PARALLEL REJECT LIMIT UNLIMITED; The Oracle table JSON column must be defined as a CLOB type, to accept whatever format the JSON file may use, although additional columns may be added to the Oracle JSON table as well Bechtel 7 Level 4 - Bechtel Public

8 Parsing the JSON Data Once the JSON data is loaded as an Oracle database table, the next step is to parse out the coordinate information from the table using a declared cursor to loop through the data. Below is an example excerpt from PL/SQL scripting to do this using the Oracle 12c (12.1) function JSON_VALUE*: Example: Code by Tracy McLane OPEN <cursor> FOR SELECT JSON_VALUE(json_document,'$.id'), JSON_VALUE(json_document,'$.position_x'), JSON_VALUE(json_document,'$.position_y'), JSON_VALUE(json_document,'$.position_z'), FROM <json_table> ORDER BY JSON_VALUE(json_document,'$.ID'); Source: Usage of JSON_VALUE can be found in the JSON_TABLE section of the online Oracle Help Center Database SQL Language Reference at *Note: In Oracle 12c (12.2), there is a new option when using JSON_VALUE to parse and extract the SDO_GEOMETRY directly from the JSON file, but this is not available in earlier versions of the Oracle database Bechtel 8 Level 4 - Bechtel Public

9 Creating SDO Geometry Points Finally, once the data has been read into the cursor, the records can be retrieved and loaded into variables for input into Oracle Spatial SQL statements to create spatial features in an Esri geodatabase, where the feature class was created using an ArcCatalog configuration keyword to define the geometry type as SDO_GEOMETRY. Below is an example of PL/SQL scripting using the FETCH function for a cursor to create point SDO_GEOMETRY of indoor tracking positions (which is why an Oracle Spatial Reference ID (SRID) is not defined in the PL/SQL script example shown below). Example: LOOP FETCH <cursor> INTO irecid,icoordx,icoordy,icoordz; Code by Tracy McLane EXIT WHEN currow%notfound; INSERT INTO <SDO_GEOMETRY feature class> (OBJECTID, COORD_X, COORD_Y,COORD_Z,UPLOAD_TIME,SHAPE) VALUES (irecid,icoordx,icoordy,icoordz,systimestamp, SDO_GEOMETRY (3001,null, SDO_POINT_TYPE (icoordx,icoordy,icoordz), null,null) ); isdonum := isdonum + 1; END LOOP; Source: Usage of Oracle PL/SQL cursors can be found in Cursors, Oracle Database 12c SQL: Master SQL and PL/SQL, p 390) Bechtel 9 Level 4 - Bechtel Public

10 Next, a spatial view can be created to filter out the most recent record for each unique entity in the dataset. In the case of GPS/GNSS tracking data, this can be used to select the most recent location of a person or object you are tracking: Example: Filtering the SDO Geometry Points with Spatial Views One set of spatial views to show most recent location A second set of spatial views to show recent tracking history Spatial Views GIS Client 2016 Bechtel 10 Level 4 - Bechtel Public

11 Process Improvement for Current Earthquake Catalog Data Process Spatial Views are used to filter earthquake data by magnitude for map visualization of event data. Different source data contain different types of magnitude information: Mw moment magnitude Ms surface magnitude Mb body-wave magnitude Emb - The Emb magnitude Smb - The Smb magnitude Rmb - The Rmb magnitude Umag - UMS Magnitude Scale Reference: Earthquake Catalog Data used to Support Seismic Hazard Study in Papua New Guinea Earthquake symbology can be shown by magnitude intensity, magnitude class or depth to the earthquake epicenter 3D Visualization of Oracle Spatial Earthquake Point Geometries Displayed with their Distance to the Earthquake Epicenter (KM) 2016 Bechtel 11 Level 4 - Bechtel Public

12 Applying the JSON Process to Improve a Handling of Earthquake Catalog Data Earthquake catalog data comes in a variety of data formats, and for mapping purposes, it is necessary to standardize data to a common data model so sources can be merged. The GIS team previously worked with the seismologists within Bechtel to develop a GIS web mapping application to allow the user to upload their earthquake catalog data and manually map the columns of the source files to the data model target. The tool then creates point geometries from the source data, and allows users to merge and filter the data points for analysis and mapping. Catalog A Catalog B Catalog C The JSON process above offers a more automated way to parse and load these disparate and large data into a single earthquake data model as SDO points geometries. In addition, the use of spatial views can provide users a way to automate some of the filtering processes currently being defined on a more manual basis Bechtel 12 Level 4 - Bechtel Public

13 Spatial Views for Dynamic Hydraulic Gradient Calculations Dynamic hydraulic gradient calculations used for groundwater modeling Spatial Views with calculated columns of SDO Geometries: h = (from_elev-to_elev)/(sdo_geom.sdo_length(shape,0.001) L = SDO_GEOM.SDO_LENGTH(shape,0.001) 2015 Bechtel 13 Level 4 - Bechtel Public

14 Spatial Views for Commodity Cost Calculations for Construction Materials Using spatial views to aggregate construction materials geographically Decoding values from look-up table to add commodity description for linking with the unit rates table DECODE (fence_line.material_d,d_fentyp.domainvalu,d_fentyp.domaindesc,'unknown') material, Calculating contract awarded versus contingency commodity quantities SUM(VTBL_FIELD_QUANT_REPORT.FEAT_QUANT) QUANT_AWRD, SUM(UTELECTG.CTG_QUANT) QUANT_CTG, SUM(UTELECTG.CTG_QUANT+VTBL_FIELD_QUANT_REPORT.FEAT_QUANT) TOTAL_AWRD 2015 Bechtel 14 Level 4 - Bechtel Public

15 Conclusion By leveraging the database for what is does best...the data...technical specialists and engineers alike can spend less time on data manipulation and analysis, and even improve the quality of their deliverables through database automation of processes that are data-intensive and often subject to human error. Oracle Spatial Technology Focus:» Data File Handling and Database Automation» Spatial View Filters, Calculations and Analytics The case studies shared in this presentation focus on leveraging the use of database automation and spatial views at Bechtel to support some of the work needed to engineer and construct large infrastructure around the globe Bechtel 15 Level 4 - Bechtel Public

16 Questions?

17 Contact Information: Tracy J. McLane Bechtel Infrastructure, GIS Manager

Geospatial Enterprise Search. June

Geospatial Enterprise Search. June Geospatial Enterprise Search June 2013 www.voyagersearch.com www.voyagersearch.com/demo The Problem: Data Not Found The National Geospatial-Intelligence Agency is the primary source of geospatial intelligence

More information

Oracle Spatial Summit 2015 Best Practices for Developing Geospatial Apps for the Cloud

Oracle Spatial Summit 2015 Best Practices for Developing Geospatial Apps for the Cloud Oracle Spatial Summit 2015 Best Practices for Developing Geospatial Apps for the Cloud Nick Salem, Distinguished Engineer Neustar Neustar ElementOne OVERVIEW Comprehensive cloud based GIS analytics platform

More information

Integrating ArcGIS to Enterprise Oracle Spatial Using Direct Connect

Integrating ArcGIS to Enterprise Oracle Spatial Using Direct Connect Integrating ArcGIS to Enterprise Oracle Spatial Using Direct Connect Michael D. Tsengouras Principal Software Engineer Navigation Technologies Corporation Abstract: Many organizations are adopting Enterprise

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

PODS Lite version 1.1. Executive Summary

PODS Lite version 1.1. Executive Summary PODS Lite version 1.1 Executive Summary Introduction Since 1998, the Pipeline Open Data Standard (PODS) Association has been focused on providing a comprehensive, open, vendor-neutral, highly scalable,

More information

ORACLE DATABASE 12C INTRODUCTION

ORACLE DATABASE 12C INTRODUCTION SECTOR / IT NON-TECHNICAL & CERTIFIED TRAINING COURSE In this training course, you gain the skills to unleash the power and flexibility of Oracle Database 12c, while gaining a solid foundation of database

More information

The Oracle Enterprise Geodatabase (EGDB) Charlie Crocker Farallon Geographics, Inc.

The Oracle Enterprise Geodatabase (EGDB) Charlie Crocker Farallon Geographics, Inc. The Oracle Enterprise Geodatabase (EGDB) Charlie Crocker Farallon Geographics, Inc. www.fargeo.com Norcal URISA Chapter Meeting 2/9/2005 Todays Goals Enterprise geodatabase defined Roles Oracle can play

More information

SAP Agile Data Preparation Simplify the Way You Shape Data PUBLIC

SAP Agile Data Preparation Simplify the Way You Shape Data PUBLIC SAP Agile Data Preparation Simplify the Way You Shape Data Introduction SAP Agile Data Preparation Overview Video SAP Agile Data Preparation is a self-service data preparation application providing data

More information

Key Terms. Attribute join Target table Join table Spatial join

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

More information

Introduction to Geodatabase and Spatial Management in ArcGIS. Craig Gillgrass Esri

Introduction to Geodatabase and Spatial Management in ArcGIS. Craig Gillgrass Esri Introduction to Geodatabase and Spatial Management in ArcGIS Craig Gillgrass Esri Session Path The Geodatabase - What is it? - Why use it? - What types are there? - What can I do with it? Query Layers

More information

ICIT. Brian Hiller ESRI Account Manger. What s new in ArcGIS 10

ICIT. Brian Hiller ESRI Account Manger. What s new in ArcGIS 10 ICIT Brian Hiller ESRI Account Manger What s new in ArcGIS 10 ArcGIS 10 Fast Easy Powerful Everywhere late June 2010 ArcGIS System for Geographic Information Desktop Server Mobile Online A System A Complete

More information

BEST PRACTICES FOR DEVELOPING GEOSPATIAL BIG DATA APPS FOR THE CLOUD. Nick Salem - Distinguished Engineer David Tatar - Principal Software Engineer

BEST PRACTICES FOR DEVELOPING GEOSPATIAL BIG DATA APPS FOR THE CLOUD. Nick Salem - Distinguished Engineer David Tatar - Principal Software Engineer BEST PRACTICES FOR DEVELOPING GEOSPATIAL BIG DATA APPS FOR THE CLOUD Nick Salem - Distinguished Engineer David Tatar - Principal Software Engineer SPEAKER BIO NICK SALEM 18 Oracle Certified Professional

More information

ArcGIS 9.2 Works as a Complete System

ArcGIS 9.2 Works as a Complete System ArcGIS 9.2 Works as a Complete System A New Way to Manage and Disseminate Geographic Knowledge Author/Serve/Use Maps Data Models Globes Metadata Use Desktop Explorer Web Map Viewer Mobile Open APIs Enterprise

More information

Virtuoso Infotech Pvt. Ltd.

Virtuoso Infotech Pvt. Ltd. Virtuoso Infotech Pvt. Ltd. About Virtuoso Infotech Fastest growing IT firm; Offers the flexibility of a small firm and robustness of over 30 years experience collectively within the leadership team Technology

More information

Pervasive DataRush TM

Pervasive DataRush TM Pervasive DataRush TM Parallel Data Analysis with KNIME www.pervasivedatarush.com Company Overview Global Software Company Tens of thousands of users across the globe Americas, EMEA, Asia ~230 employees

More information

DATA SHARING AND DISCOVERY WITH ARCGIS SERVER GEOPORTAL EXTENSION. Clive Reece, Ph.D. ESRI Geoportal/SDI Solutions Team

DATA SHARING AND DISCOVERY WITH ARCGIS SERVER GEOPORTAL EXTENSION. Clive Reece, Ph.D. ESRI Geoportal/SDI Solutions Team DATA SHARING AND DISCOVERY WITH ARCGIS SERVER GEOPORTAL EXTENSION Clive Reece, Ph.D. ESRI Geoportal/SDI Solutions Team Geoportal Extension for ArcGIS Server Context within an Enterprise Spatial Data Infrastructure

More information

INSPIRE: The ESRI Vision. Tina Hahn, GIS Consultant, ESRI(UK) Miguel Paredes, GIS Consultant, ESRI(UK)

INSPIRE: The ESRI Vision. Tina Hahn, GIS Consultant, ESRI(UK) Miguel Paredes, GIS Consultant, ESRI(UK) INSPIRE: The ESRI Vision Tina Hahn, GIS Consultant, ESRI(UK) Miguel Paredes, GIS Consultant, ESRI(UK) Overview Who are we? Introduction to ESRI Inc. and ESRI(UK) Presenters ArcGIS The ESRI Solution to

More information

ArcGIS Online. The Road Ahead Geoff Mortson

ArcGIS Online. The Road Ahead Geoff Mortson ArcGIS Online The Road Ahead Geoff Mortson gmortson@esricanada.com ArcGIS Online Easily create and share maps Delivered as intelligent maps Access on virtually any device anyone, anywhere Compliments and

More information

ERDAS IMAGINE THE WORLD S MOST WIDELY-USED REMOTE SENSING SOFTWARE PACKAGE

ERDAS IMAGINE THE WORLD S MOST WIDELY-USED REMOTE SENSING SOFTWARE PACKAGE PRODUCT BROCHURE ERDAS IMAGINE THE WORLD S MOST WIDELY-USED REMOTE SENSING SOFTWARE PACKAGE 1 ERDAS IMAGINE The world s most widely-used remote sensing software package 2 ERDAS IMAGINE The world s most

More information

LSGI 521: Principles of GIS. Lecture 5: Spatial Data Management in GIS. Dr. Bo Wu

LSGI 521: Principles of GIS. Lecture 5: Spatial Data Management in GIS. Dr. Bo Wu Lecture 5: Spatial Data Management in GIS Dr. Bo Wu lsbowu@polyu.edu.hk Department of Land Surveying & Geo-Informatics The Hong Kong Polytechnic University Contents 1. Learning outcomes 2. From files to

More information

Technical Overview. Access control lists define the users, groups, and roles that can access content as well as the operations that can be performed.

Technical Overview. Access control lists define the users, groups, and roles that can access content as well as the operations that can be performed. Technical Overview Technical Overview Standards based Architecture Scalable Secure Entirely Web Based Browser Independent Document Format independent LDAP integration Distributed Architecture Multiple

More information

Esri and MarkLogic: Location Analytics, Multi-Model Data

Esri and MarkLogic: Location Analytics, Multi-Model Data Esri and MarkLogic: Location Analytics, Multi-Model Data Ben Conklin, Industry Manager, Defense, Intel and National Security, Esri Anthony Roach, Product Manager, MarkLogic James Kerr, Technical Director,

More information

Exploration Information Management solutions

Exploration Information Management solutions Exploration Information Management solutions Stronger capabilities for managing and sharing your data Today s Challenge As more and more exploration data is collected, digitized, and stored, we are facing

More information

Create Service Contract

Create Service Contract Create Service Contract This guide will cover: The process of creating service contracts with suppliers. This process replaces the Office of General Counsel Checklist (specifically the Overview tab). However,

More information

APPENDIX V REQUIREMENTS FOR KEY, PRIMARY, AND SECONDARY RESOURCES

APPENDIX V REQUIREMENTS FOR KEY, PRIMARY, AND SECONDARY RESOURCES APPENDIX V REQUIREMENTS FOR KEY, PRIMARY, AND SECONDARY RESOURCES The selected Offeror will staff the contract with individuals who possess a significant depth of experience within their functional area

More information

Configuring, Tuning and Managing ArcGIS Server. Dan O Leary James Cardona Owen Evans

Configuring, Tuning and Managing ArcGIS Server. Dan O Leary James Cardona Owen Evans Configuring, Tuning and Managing ArcGIS Server Dan O Leary James Cardona Owen Evans Introductions and Overview Welcome and Thanks for Attending Approach of this Session Share Best Practices and Techniques

More information

IT Infrastructure for BIM and GIS 3D Data, Semantics, and Workflows

IT Infrastructure for BIM and GIS 3D Data, Semantics, and Workflows IT Infrastructure for BIM and GIS 3D Data, Semantics, and Workflows Hans Viehmann Product Manager EMEA ORACLE Corporation November 23, 2017 @SpatialHannes Safe Harbor Statement The following is intended

More information

ESRI Technology Update. Joe Holubar Larry Young

ESRI Technology Update. Joe Holubar Larry Young ESRI Technology Update Joe Holubar Larry Young Continued Improvement Improving Quality and Extending and Refining Functionality First Half of 2009: Minor Update Release (ArcGIS 9.3.1) ArcGIS Explorer Fall

More information

Compass INSPIRE Services. Compass INSPIRE Services. White Paper Compass Informatics Limited Block 8, Blackrock Business

Compass INSPIRE Services. Compass INSPIRE Services. White Paper Compass Informatics Limited Block 8, Blackrock Business Compass INSPIRE Services White Paper 2010 Compass INSPIRE Services Compass Informatics Limited Block 8, Blackrock Business Park, Carysfort Avenue, Blackrock, County Dublin, Ireland Contact Us: +353 1 2104580

More information

Autodesk Utility Design and Your GIS

Autodesk Utility Design and Your GIS UT4523-P Autodesk Utility Design and Your GIS Prashant Srivastav Quality Assurance Lead, Utilities Co Speakers: Jeff Saunders, Carsten Hess The Power Track Utility Design Power Track at a glance... and

More information

Accessing and Administering your Enterprise Geodatabase through SQL and Python

Accessing and Administering your Enterprise Geodatabase through SQL and Python Accessing and Administering your Enterprise Geodatabase through SQL and Python Brent Pierce @brent_pierce Russell Brennan @russellbrennan hashtag: #sqlpy Assumptions Basic knowledge of SQL, Python and

More information

Editing Versioned Geodatabases : An Introduction

Editing Versioned Geodatabases : An Introduction Esri International User Conference San Diego, California Technical Workshops July 24, 2012 Editing Versioned Geodatabases : An Introduction Cheryl Cleghorn Shawn Thorne Assumptions: Basic knowledge of

More information

Extend GIS. The Reach. Of Your GIS. Chris Cappelli Nathan Bennett

Extend GIS. The Reach. Of Your GIS. Chris Cappelli Nathan Bennett Extend The Reach GIS Of Your GIS Chris Cappelli Nathan Bennett Where do your co-workers, managers, customers, and citizens go when they want to find or make a map? GIS is a practical system for problem

More information

Motivation and basic concepts Storage Principle Query Principle Index Principle Implementation and Results Conclusion

Motivation and basic concepts Storage Principle Query Principle Index Principle Implementation and Results Conclusion JSON Schema-less into RDBMS Most of the material was taken from the Internet and the paper JSON data management: sup- porting schema-less development in RDBMS, Liu, Z.H., B. Hammerschmidt, and D. McMahon,

More information

Geodatabases. Dr. Zhang SPRING 2016 GISC /03/2016

Geodatabases. Dr. Zhang SPRING 2016 GISC /03/2016 Geodatabases Dr. Zhang SPRING 2016 GISC 1401 10/03/2016 Using and making maps Navigating GIS maps Map design Working with spatial data Spatial data infrastructure Interactive maps Map Animations Map layouts

More information

Chapter 6. Foundations of Business Intelligence: Databases and Information Management VIDEO CASES

Chapter 6. Foundations of Business Intelligence: Databases and Information Management VIDEO CASES Chapter 6 Foundations of Business Intelligence: Databases and Information Management VIDEO CASES Case 1a: City of Dubuque Uses Cloud Computing and Sensors to Build a Smarter, Sustainable City Case 1b:

More information

The What, Why, Who and How of Where: Building a Portal for Geospatial Data. Alan Darnell Director, Scholars Portal

The What, Why, Who and How of Where: Building a Portal for Geospatial Data. Alan Darnell Director, Scholars Portal The What, Why, Who and How of Where: Building a Portal for Geospatial Data Alan Darnell Director, Scholars Portal What? Scholars GeoPortal Beta release Fall 2011 Production release March 2012 OLITA Award

More information

LABOR CATEGORIES, EDUCATION AND YEARS OF EXPERIENCE Years No. Labor Categories Education Experience

LABOR CATEGORIES, EDUCATION AND YEARS OF EXPERIENCE Years No. Labor Categories Education Experience SIN 132-51 - Labor Category Requirements and Descriptions LABOR CATEGORIES, EDUCATION AND YEARS OF EXPERIENCE Years No. Labor Categories Education Experience ANT-001 Technical Expert Level 5 BA/BS 6 ANT-002

More information

Leveraging SAP HANA and ArcGIS. Melissa Jarman Eugene Yang

Leveraging SAP HANA and ArcGIS. Melissa Jarman Eugene Yang Melissa Jarman Eugene Yang Outline SAP HANA database ArcGIS Support for HANA Database access Sharing via Services Geodatabase support Demo SAP HANA In-memory database Support for both row and column store

More information

2016 New Zealand Spatial Excellence Awards: Category: Award for Technical Excellence - Award Application

2016 New Zealand Spatial Excellence Awards: Category: Award for Technical Excellence - Award Application Lessons learned from one of New Zealand s most challenging civil engineering projects: rebuilding the earthquake damaged pipes, roads, bridges and retaining walls in the city of Christchurch 2011-2016.

More information

Bismarck State College

Bismarck State College Bismarck State College Computer Support Specialist Geographic Information Systems Web Development and Design Computer Science Associate in Applied Science degree Associate in Applied Science degree in

More information

Advanced Solutions of Microsoft SharePoint Server 2013

Advanced Solutions of Microsoft SharePoint Server 2013 Course Duration: 4 Days + 1 day Self Study Course Pre-requisites: Before attending this course, students must have: Completed Course 20331: Core Solutions of Microsoft SharePoint Server 2013, successful

More information

ERDAS IMAGINE THE WORLD S MOST WIDELY-USED REMOTE SENSING SOFTWARE PACKAGE

ERDAS IMAGINE THE WORLD S MOST WIDELY-USED REMOTE SENSING SOFTWARE PACKAGE PRODUCT BROCHURE ERDAS IMAGINE THE WORLD S MOST WIDELY-USED REMOTE SENSING SOFTWARE PACKAGE 1 ERDAS IMAGINE The world s most widely-used remote sensing software package 2 ERDAS IMAGINE The Theworld s world

More information

Hawaii Energy and Environmental Technologies (HEET) Initiative

Hawaii Energy and Environmental Technologies (HEET) Initiative Hawaii Energy and Environmental Technologies (HEET) Initiative Office of Naval Research Grant Award Number N0014-11-1-0391 Task 8. ENERGY-NEUTRAL ENERGY TEST PLATFORMS 8.3 Advanced Database Research, Development

More information

PODS Lite. Executive Summary

PODS Lite. Executive Summary PODS Lite Executive Summary Introduction Since 1998, the Pipeline Open Data Standard (PODS) Association has been focused on providing a comprehensive, open, vendor-neutral, highly scalable, and proven

More information

Team Members. Brief Description:

Team Members. Brief Description: Team Members Team Members Important: This part of the HelpDesk User s Guide is the Team Member section, and contains information about the Team Members role in the HelpDesk system. For other information,

More information

Enterprise Geographic Information Servers. Dr David Maguire Director of Products Kevin Daugherty ESRI

Enterprise Geographic Information Servers. Dr David Maguire Director of Products Kevin Daugherty ESRI Enterprise Geographic Information Servers Dr David Maguire Director of Products Kevin Daugherty ESRI Outline Introduction Enterprise GIS vs. Spatially-enabled IS Architectures for building Enterprise GIS

More information

Introduction to ArcCatalog

Introduction to ArcCatalog Introduction to ArcCatalog Introduction To Arc Catalog ArcCatalog is a data- centric GUI tool used for managing spatial data With ArcCatalog you can. Inspect properties and attributes of data Preview and

More information

Oracle. Oracle Spatial 11g Essentials. 1z Version: Demo. [ Total Questions: 10] Web:

Oracle. Oracle Spatial 11g Essentials. 1z Version: Demo. [ Total Questions: 10] Web: Oracle 1z0-595 Oracle Spatial 11g Essentials Version: Demo [ Total Questions: 10] Web: www.myexamcollection.com Email: support@myexamcollection.com IMPORTANT NOTICE Feedback We have developed quality product

More information

Esri s Spatial Database Engine. Today s Topics. ArcSDE. A spatial database engine that works on

Esri s Spatial Database Engine. Today s Topics. ArcSDE. A spatial database engine that works on Esri s Spatial Database Engine IT4GIS Keith T. Weber, GISP GIS Director ISU GIS Training and Research Center Today s Topics Part 1: What is ArcSDE? Why use ArcSDE? ArcSDE Data Structure How is data stored

More information

The ismart Suite Developing and Deploying Embedded Spatial Applications and Web Services in a Standard Enterprise IT Environment

The ismart Suite Developing and Deploying Embedded Spatial Applications and Web Services in a Standard Enterprise IT Environment The ismart Suite Developing and Deploying Embedded Spatial Applications and Web Services in a Standard Enterprise IT Environment White Paper January 2004 espatial Incorporated The ismart Suite Developing

More information

Bentley Systems Army Training Program Focuses on CAD GIS Integration

Bentley Systems Army Training Program Focuses on CAD GIS Integration Bentley Systems Army Training Program Focuses on CAD GIS Integration Tom Brown, Army Account Manager, Bentley Systems, Inc. Installations face serious challenges managing, analyzing and publishing geospatial

More information

Microsoft SharePoint Server 2013 Plan, Configure & Manage

Microsoft SharePoint Server 2013 Plan, Configure & Manage Microsoft SharePoint Server 2013 Plan, Configure & Manage Course 20331-20332B 5 Days Instructor-led, Hands on Course Information This five day instructor-led course omits the overlap and redundancy that

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

Big Data Specialized Studies

Big Data Specialized Studies Information Technologies Programs Big Data Specialized Studies Accelerate Your Career extension.uci.edu/bigdata Offered in partnership with University of California, Irvine Extension s professional certificate

More information

Spatial Data Standards for Facilities, Infrastructure, and Environment (SDSFIE)

Spatial Data Standards for Facilities, Infrastructure, and Environment (SDSFIE) Spatial Data Standards for Facilities, Infrastructure, and Environment (SDSFIE) Model Builder User Guide Version 1.3 (24 April 2018) Prepared For: US Army Corps of Engineers 2018 Revision History Model

More information

Advanced Solutions of Microsoft SharePoint Server 2013 Course Contact Hours

Advanced Solutions of Microsoft SharePoint Server 2013 Course Contact Hours Advanced Solutions of Microsoft SharePoint Server 2013 Course 20332 36 Contact Hours Course Overview This course examines how to plan, configure, and manage a Microsoft SharePoint Server 2013 environment.

More information

Chapter 6 VIDEO CASES

Chapter 6 VIDEO CASES Chapter 6 Foundations of Business Intelligence: Databases and Information Management VIDEO CASES Case 1a: City of Dubuque Uses Cloud Computing and Sensors to Build a Smarter, Sustainable City Case 1b:

More information

Advanced Solutions of Microsoft SharePoint 2013

Advanced Solutions of Microsoft SharePoint 2013 Course 20332A :Advanced Solutions of Microsoft SharePoint 2013 Page 1 of 9 Advanced Solutions of Microsoft SharePoint 2013 Course 20332A: 4 days; Instructor-Led About the Course This four-day course examines

More information

Release notes for version 3.7.2

Release notes for version 3.7.2 Release notes for version 3.7.2 Important! Create a backup copy of your projects before updating to the new version. Projects saved in the new version can t be opened in versions earlier than 3.7. Breaking

More information

TRAINING GUIDE. Data Quality Tools for GIS and Lucity Spatial

TRAINING GUIDE. Data Quality Tools for GIS and Lucity Spatial TRAINING GUIDE Data Quality Tools for GIS and Lucity Spatial Data Quality Tools for GIS and Lucity Spatial In this session, we ll cover the tools that can be used to ensure your GIS data is clean in regards

More information

Stir It Up: Achieving GIS Interoperability

Stir It Up: Achieving GIS Interoperability Stir It Up: Achieving GIS Interoperability City of Tacoma, Washington, USA Mike Murnane, Community & Economic Development John Shell, Public Works 2006 ESRI International User Conference - August 9, 8:30

More information

Quick Start Guides 1

Quick Start Guides 1 1 Core products and components ArcGIS for Desktop........................................... 3 ArcGIS for Server............................................ 5 ArcGIS Engine Developer Kit and ArcGIS Engine................................

More information

National Data Sharing and Accessibility Policy-2012 (NDSAP-2012)

National Data Sharing and Accessibility Policy-2012 (NDSAP-2012) National Data Sharing and Accessibility Policy-2012 (NDSAP-2012) Department of Science & Technology Ministry of science & Technology Government of India Government of India Ministry of Science & Technology

More information

REGULATORY REPORTING FOR FINANCIAL SERVICES

REGULATORY REPORTING FOR FINANCIAL SERVICES REGULATORY REPORTING FOR FINANCIAL SERVICES Gordon Hughes, Global Sales Director, Intel Corporation Sinan Baskan, Solutions Director, Financial Services, MarkLogic Corporation Many regulators and regulations

More information

1. Data Model, Categories, Schemas and Instances. Outline

1. Data Model, Categories, Schemas and Instances. Outline Chapter 2: Database System Concepts and Architecture Outline Ramez Elmasri, Shamkant B. Navathe(2016) Fundamentals of Database Systems (7th Edition),pearson, isbn 10: 0-13-397077-9;isbn-13:978-0-13-397077-7.

More information

Spatial Data Standards for Facilities, Infrastructure, and Environment (SDSFIE)

Spatial Data Standards for Facilities, Infrastructure, and Environment (SDSFIE) Spatial Data Standards for Facilities, Infrastructure, and Environment (SDSFIE) Migration Workflow User Guide Version 1.0 (01 August 2018) Prepared For: US Army Corps of Engineers 2018 Revision History

More information

Data Management Glossary

Data Management Glossary Data Management Glossary A Access path: The route through a system by which data is found, accessed and retrieved Agile methodology: An approach to software development which takes incremental, iterative

More information

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

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

More information

Esri Maps for SharePoint

Esri Maps for SharePoint Esri International User Conference San Diego, California Technical Workshops July, 2012 Esri Maps for SharePoint Art Haddad Nathan Bennett Agenda Location Analytics - Esri Maps for SharePoint - Overview

More information

Feeding ESRI s ArcGIS Desktop with Query Tool Extensions at Anadarko Canada.

Feeding ESRI s ArcGIS Desktop with Query Tool Extensions at Anadarko Canada. Feeding ESRI s ArcGIS Desktop with Query Tool Extensions at Anadarko Canada. Primary Author: John Gillatt, Anadarko Secondary Author: Chuck Smith, Divestco Inc. ESRI PUG Houston March 2005 Agenda Introduction

More information

Esri s ArcGIS Enterprise. Today s Topics. ArcGIS Enterprise. IT4GIS Keith T. Weber, GISP GIS Director ISU GIS Training and Research Center

Esri s ArcGIS Enterprise. Today s Topics. ArcGIS Enterprise. IT4GIS Keith T. Weber, GISP GIS Director ISU GIS Training and Research Center Esri s ArcGIS Enterprise IT4GIS Keith T. Weber, GISP GIS Director ISU GIS Training and Research Center Today s Topics Part 1: ArcGIS Enterprise architecture Part 2: Storing and serving data for the enterprise

More information

Using Free and Open Source GIS to Automatically Create Standards- Based Spatial Metadata

Using Free and Open Source GIS to Automatically Create Standards- Based Spatial Metadata Using Free and Open Source GIS to Automatically Create Standards- Based Spatial Metadata Claire Ellul University College London Overview The Problem with Metadata Automation Results Further Work The Problem

More information

ArcGIS Enterprise: An Introduction. Philip Heede

ArcGIS Enterprise: An Introduction. Philip Heede Enterprise: An Introduction Philip Heede Online Enterprise Hosted by Esri (SaaS) - Upgraded automatically (by Esri) - Esri controls SLA Core Web GIS functionality (Apps, visualization, smart mapping, analysis

More information

Subject: Migration Information for ArcIMS, ArcSDE, and ArcGIS Server Users

Subject: Migration Information for ArcIMS, ArcSDE, and ArcGIS Server Users December 12, 2006 Subject: Migration Information for ArcIMS, ArcSDE, and ArcGIS Server Users Summary This document provides information about how we are migrating your licenses and maintenance for ESRI

More information

US Census Bureau Geographic Support System Initiative Partnership Program

US Census Bureau Geographic Support System Initiative Partnership Program OVERVIEW Centrally managed, authoritative database (MAF/TIGER) Centrally managed Partnership Program SDE geodatabase Supports all censuses and surveys CHALLENGES / OPPORTUNITIES Need for centralized repository

More information

Solution Brief. Bridging the Infrastructure Gap for Unstructured Data with Object Storage. 89 Fifth Avenue, 7th Floor. New York, NY 10003

Solution Brief. Bridging the Infrastructure Gap for Unstructured Data with Object Storage. 89 Fifth Avenue, 7th Floor. New York, NY 10003 89 Fifth Avenue, 7th Floor New York, NY 10003 www.theedison.com @EdisonGroupInc 212.367.7400 Solution Brief Bridging the Infrastructure Gap for Unstructured Data with Object Storage Printed in the United

More information

General Dynamics Information Technology, Inc.

General Dynamics Information Technology, Inc. General Dynamics Information Technology, Inc. GS-35F-080CA SIN 132-45 A,B,C,D Highly Adaptive Cybersecurity Services (HACS) Labor Category Requirements and Descriptions LABOR CATEGORIES, EDUCATION AND

More information

International Journal of Advance Engineering and Research Development. A Study: Hadoop Framework

International Journal of Advance Engineering and Research Development. A Study: Hadoop Framework Scientific Journal of Impact Factor (SJIF): e-issn (O): 2348- International Journal of Advance Engineering and Research Development Volume 3, Issue 2, February -2016 A Study: Hadoop Framework Devateja

More information

IOUG Spatial Summit 2016

IOUG Spatial Summit 2016 IOUG Spatial Summit 2016 Assembling a large scale map for the Netherlands Speaker : Date : E-mail : Richard Huesken January 28 th, 2016 richard.huesken@transfer-solutions.com WWW.TRANSFER-SOLUTIONS.COM

More information

Database System Concepts and Architecture

Database System Concepts and Architecture CHAPTER 2 Database System Concepts and Architecture Copyright 2017 Ramez Elmasri and Shamkant B. Navathe Slide 2-2 Outline Data Models and Their Categories History of Data Models Schemas, Instances, and

More information

Getting Started With LP360

Getting Started With LP360 Getting Started With LP360 12/22/2015 1 Contents What is LP360?... 3 System Requirements... 3 Installing LP360... 4 How to Enable the LP360 Extension... 4 How to Display the LP360 Toolbar... 4 How to Import

More information

Introduction to Data Science

Introduction to Data Science UNIT I INTRODUCTION TO DATA SCIENCE Syllabus Introduction of Data Science Basic Data Analytics using R R Graphical User Interfaces Data Import and Export Attribute and Data Types Descriptive Statistics

More information

Oracle Big Data Cloud Service, Oracle Storage Cloud Service, Oracle Database Cloud Service

Oracle Big Data Cloud Service, Oracle Storage Cloud Service, Oracle Database Cloud Service Demo Introduction Keywords: Oracle Big Data Cloud Service, Oracle Storage Cloud Service, Oracle Database Cloud Service Goal of Demo: Oracle Big Data Preparation Cloud Services can ingest data from various

More information

Verarbeitung von Vektor- und Rasterdaten auf der Hadoop Plattform DOAG Spatial and Geodata Day 2016

Verarbeitung von Vektor- und Rasterdaten auf der Hadoop Plattform DOAG Spatial and Geodata Day 2016 Verarbeitung von Vektor- und Rasterdaten auf der Hadoop Plattform DOAG Spatial and Geodata Day 2016 Hans Viehmann Product Manager EMEA ORACLE Corporation 12. Mai 2016 Safe Harbor Statement The following

More information

Working with Feature Layers. Russell Brennan Gary MacDougall

Working with Feature Layers. Russell Brennan Gary MacDougall Working with Feature Layers Russell Brennan Gary MacDougall Working with Feature Layers Session will focus on feature access and editing Highlight new features added over the last few releases Agenda Introduction

More information

JANUARY Migrating standalone ArcGIS Server to ArcGIS Enterprise

JANUARY Migrating standalone ArcGIS Server to ArcGIS Enterprise JANUARY 2018 Migrating standalone ArcGIS Server to ArcGIS Enterprise Copyright 2018 Esri All rights reserved. Printed in the United States of America. The information contained in this document is the

More information

Data Governance: Data Usage Labeling and Enforcement in Adobe Cloud Platform

Data Governance: Data Usage Labeling and Enforcement in Adobe Cloud Platform Data Governance: Data Usage Labeling and Enforcement in Adobe Cloud Platform Contents What is data governance? Why data governance? Data governance roles. The Adobe Cloud Platform advantage. A framework

More information

Contents I Introduction 1 Introduction to PL/SQL iii

Contents I Introduction 1 Introduction to PL/SQL iii Contents I Introduction Lesson Objectives I-2 Course Objectives I-3 Human Resources (HR) Schema for This Course I-4 Course Agenda I-5 Class Account Information I-6 Appendixes Used in This Course I-7 PL/SQL

More information

BI ENVIRONMENT PLANNING GUIDE

BI ENVIRONMENT PLANNING GUIDE BI ENVIRONMENT PLANNING GUIDE Business Intelligence can involve a number of technologies and foster many opportunities for improving your business. This document serves as a guideline for planning strategies

More information

AGIC 2012 Workshop Leveraging Free RDBMS in ArcGIS

AGIC 2012 Workshop Leveraging Free RDBMS in ArcGIS AGIC 2012 Workshop Leveraging Free RDBMS in ArcGIS Prescott, AZ October 2012 Instructors: Bo Guo, PE, PhD Terry Li Workshop Outline Part I Introduction Why RDBMS Discussion on Obstacles for using RDBMS

More information

May 2012 Oracle Spatial User Conference

May 2012 Oracle Spatial User Conference 1 May 2012 Oracle Spatial User Conference May 23, 2012 Ronald Reagan Building and International Trade Center Washington, DC USA Andrew Howles & Jo Shannon IS Principal Architect General Manager, Operations

More information

K/Compute (Private) Limited Web:

K/Compute (Private) Limited   Web: K/Compute (Private) Limited Email: info@kcompute.com Web: www.kcompute.com Document Repository v 3.0 Copyright 2012, KCompute (Private) Limited 1.0 Product Brief 1.1 Introduction (KDR ) is an enterprise

More information

ArcGIS for Server Michele Lundeen

ArcGIS for Server Michele Lundeen ArcGIS for Server 10.1 Michele Lundeen Summary Vision Installation and Configuration Architecture Publishing Functional Enhancements Cloud Migration and Best Practices Powerful GIS capabilities Delivered

More information

Raster Serving with ArcGIS

Raster Serving with ArcGIS Raster Serving with ArcGIS Agenda Introduction to server technology Workflow considerations ESRI raster serving technology ArcGIS Server Basic (ArcSDE) ArcGIS Server Standard/Advanced Web Services ArcGIS

More information

Value of Data Transformation. Sean Kandel, Co-Founder and CTO of Trifacta

Value of Data Transformation. Sean Kandel, Co-Founder and CTO of Trifacta Value of Data Transformation Sean Kandel, Co-Founder and CTO of Trifacta Organizations today generate and collect an unprecedented volume and variety of data. At the same time, the adoption of data-driven

More information

A set of annotation templates that maybe used to label objects using information input in the data model mentioned above.

A set of annotation templates that maybe used to label objects using information input in the data model mentioned above. AUTOCAD MAP 3D 2009 WHITE PAPER Industry Toolkits Introduction In today s world, passing of information between organizations is an integral part of many processes. With this comes complexity in a company

More information

Oracle Big Data Discovery

Oracle Big Data Discovery Oracle Big Data Discovery Turning Data into Business Value Harald Erb Oracle Business Analytics & Big Data 1 Safe Harbor Statement The following is intended to outline our general product direction. It

More information

Planning Enterprise Geodatabase Solutions

Planning Enterprise Geodatabase Solutions Esri Middle East and Africa User Conference December 10 12 Abu Dhabi, UAE Planning Enterprise Geodatabase Solutions Pete Fitts Agenda Overview Database Design Data Maintenance Infrastructure Design and

More information

ArcGIS Extension User's Guide

ArcGIS Extension User's Guide ArcGIS Extension 2010 - User's Guide Table of Contents OpenSpirit ArcGIS Extension 2010... 1 Installation ( ArcGIS 9.3 or 9.3.1)... 3 Prerequisites... 3 Installation Steps... 3 Installation ( ArcGIS 10)...

More information