Advanced SQL Queries for the EMF

Size: px
Start display at page:

Download "Advanced SQL Queries for the EMF"

Transcription

1 Advanced SQL Queries for the EMF Susan McCusker, MARAMA Online EMF Resources: SQL EMF User s Guide EMF SQL Reference Guide html 2 1

2 Roadmap Previously: SQL snippets, query components, syntax Today: Review Anatomy of a SQL SELECT query and EMFspecific syntax New Query enhancements: data from more than one table join clause and its variations Goal: Build a query to summarize CAP emissions for a state by SCC with SCC descriptions 3 Where is SQL used in the EMF? Filtering Use where clause snippets to filter records; for example poll = 'CO' ann_value > 300 Row Filter when viewing and editing raw data Data Value Filter in Advanced Dataset Search Row Filter when exporting datasets and QA step results SQL in the EMF 4 2

3 Where is SQL used in the EMF? SQL-based QA steps Write your own select queries to create reports and summaries of datasets Sum or average emissions by region, SCC, plant, etc. Include reference information like county names, lat/lon coordinates, or pollutant description SQL in the EMF 5 Basic SQL Query Components Which table(s) should we get the data from? Do we want to select all the data in the table or only certain rows or columns? Example: select certain rows to get one state Example: select certain columns if don't need all the data from the original inventory How should the output be grouped and sorted? Example: by SCC? by FIPS? by state? by pollutant? SQL Review 6 3

4 SQL Syntax Basic query to extract/aggregate data from a single dataset table: select columns (i.e., data fields) from table ($TABLE[1] e in EMF) where filtering criteria used to pick rows group by columns to aggregate over (e.g., sum) order by columns to use to sort results SQL Review 7 SQL Syntax Query to extract/aggregate data from multiple dataset tables: select columns (i.e., datafields) from table ($TABLE[1] e in EMF) join table on matching criteria where filtering criteria used to pick rows group by columns to aggregate over (e.g., sum) order by columns to use to sort results SQL Review 8 4

5 EMF-Specific Syntax SQL database stores data in tables Table names must be unique so the EMF uses the dataset name and random ID to name tables Dataset name = nonpt_2011neiv2_nonpoint_ _11nov20 14_v1.csv Underlying data table name = emissions.ds_nonpt_2011neiv2_nonpoint_ _11nov2014_v1_csv_ EMF-Specific Syntax 9 Basic query Choose: FIPS, scc, pollutant, annual emissions for NY (36) select region_cd, scc, poll, ann_value from Emissions.DS_nonpt_2011NEIv2_NONPOINT_ _11nov2014_v1_csv_ where region_cd like '36%' # records: 83,718 SQL Review 10 5

6 Basic query Choose: FIPS, scc, pollutant, annual emissions for NY (36) select region_cd, scc, poll, ann_value from Emissions.DS_nonpt_2011NEIv2_NONPOINT_ _11nov2014_v1_csv_ where region_cd like '36%' # records: 83,718 SQL Review 11 Poll #1 The highlighted part of this where clause can be used directly as a row filter when viewing or exporting data: where region_cd like '36%' TRUE FALSE 12 6

7 EMF-Specific Syntax Instead of directly using the table name in the from statement, use the special syntax $TABLE[1] e e is a single character table alias Can use the alias throughout the query instead of the table name EMF-Specific Syntax 13 Make it generic with SQL-specific syntax select region_cd, scc, poll, ann_value where region_cd like '36%' # records: 83,718 EMF-Specific Syntax 14 7

8 EMF-Specific Syntax $DATASET_TABLE["dataset name", 1] a Refers to a different dataset Uses the default version of the data Ex:$DATASET_TABLE["nonpt_2011NEIv2_NONPOINT _ _11nov2014_v1.csv", 1] a Other EMF-specific options let you refer to specific versions of datasets or output of QA steps (covered in reference guide) EMF-Specific Syntax 15 Only interested in CAPs, not HAPs FIPS, SCC, pollutant, annual CAP emissions for NY (state FIPS = 36) select e.region_cd, e.scc, e.poll, e.ann_value where e.region_cd like '36%' and substring(e.poll,1,1) not in ('1', '2', '3', '4', '5', '6', '7', '8', '9') # records: 20,187 SQL Review 16 8

9 Poll #2 We want to exclude HAPS & type the condition e.poll not in ('1', '2', '3', '4', '5', '6', '7', '8', '9'). a. This condition excludes HAPs b. This condition results in an error c. This condition does not exclude HAPs and does not result in an error 17 Summarize by FIPS, SCC, pollutant Use the aggregate function sum for ann_value select e.region_cd, e.scc, e.poll, sum(e.ann_value) where e.region_cd like '36%' and substring(e.poll,1,1) not in ('1', '2', '3', '4', '5', '6', '7', '8', '9') Error: need group by clause for select sum SQL Review 18 9

10 Summarize by FIPS, SCC, pollutant Use the aggregate function sum for ann_value select e.region_cd, e.scc, e.poll, sum(e.ann_value) where e.region_cd like '36%' and substring(e.poll,1,1) not in ('1', '2', '3', '4', '5', '6', '7', '8', '9') group by region_cd, scc, poll # records: 20,187 SQL Review 19 Summarize by State,SCC, pollutant Group together by 1 st two digits of FIPS code: select substring(e.region_cd,1,2), e.scc, e.poll, sum(e.ann_value) where e.region_cd like '36%' and substring(e.poll,1,1) not in ('1', '2', '3', '4', '5', '6', '7', '8', '9') group by substring(e.region_cd,1,2), e.scc, e.poll # records: 340 SQL Review 20 10

11 Multiple Tables Instead of extracting or aggregating data from just one table, we can use join to combine data from multiple tables Example reference table: scc scc sector scc_description Nonpoint "Solvent Utilization;Surface Coating;Architectural Coatings;Total: All Solvent Types" Nonpoint "Waste Disposal, Treatment, and Recovery;Open Burning;All Categories;Land Clearing Debris (use for Logging Debris Burning)" 21 Poll #3 The EMF-specific syntax $TABLE[1] e: a. Refers to the data table for the dataset to which the QA step is attached b. Is generic, i.e., it can be copied to QA steps for other datasets of the same type/with the same columns c. Assigns a single-character table alias "e" that can be used in referring to columns from the dataset d. All of the above 22 11

12 JOIN Syntax For a reference table: left join reference.scc on e.scc = scc.scc After JOIN keyword is the name of the table to join For a dataset table: left join $DATASET_TABLE["dataset name", 1] a Refers to a different dataset Uses the default version of the data 23 Less basic query add a join select scc.scc_description left join reference.scc on e.scc = scc.scc where group by scc.scc_description 24 12

13 Summarize by State, SCC, pollutant with SCC descriptions select substring(region_cd,1,2) as FIPS_State, scc, scc.scc_description, poll, sum(ann_value) left join reference.scc on e.scc = scc.scc where region_cd like '36%' and substring(poll,1,1) not in ('1', '2', '3', '4', '5', '6', '7', '8', '9') group by substring(region_cd,1,2), scc, scc.scc_description,poll Failed to run "scc" is ambiguous 25 Summarize by State, SCC, pollutant with SCC descriptions select substring(e.region_cd,1,2) as FIPS_State, e.scc, scc.scc_description, e.poll, sum(e.ann_value) left join reference.scc on e.scc = scc.scc where e.region_cd like '36%' and substring(e.poll,1,1) not in ('1', '2', '3', '4', '5', '6', '7', '8', '9') group by substring(e.region_cd,1,2), e.scc, scc.scc_description, e.poll 26 13

14 EMF Reference Table Examples rnal/sql_basics.html EMF Reference Tables - Example 27 Summarize by State, SCC, pollutant with SCC level descriptions select substring(e.region_cd,1,2) as FIPS_State, e.scc, scc_codes.scc_l1, e.poll, sum(e.ann_value) left join reference.scc_codes on e.scc = scc_codes.scc where e.region_cd like '36%' and substring(e.poll,1,1) not in ('1', '2', '3', '4', '5', '6', '7', '8', '9') group by substring(e.region_cd,1,2), e.scc, scc_codes.scc_l1, e.poll 28 14

15 JOIN Syntax: multiple criteria,multiple joins... from $TABLE e left join reference.fips on e.county = fips.county and e.state = fips.st left join reference.scc on e.scc = e.scc on clause defines how the two tables relate to each other county and state names must match Can have Different column names Multiple joins 29 JOIN Options 30 15

16 LEFT JOIN Semantics To include all the records from nonpt_2011neiv2_nonpoint_ _11nov2014_v1.csv whether or not there s a matching record in reference.scc, we use a left join instead of just join left join is also called left outer join 31 LEFT JOIN Oil & Gas Example 32 16

17 LEFT JOIN Details Table order is important when using left join... left join reference.scc... All the records in the left table ($TABLE[1]) are returned in the output What if the order is reversed? 33 Poll #4 What results would we expect from reversing the order of the left join in the previous query, i.e., from reference.scc left join $TABLE[1] e a. Only records common to both tables are returned b. All records in either table are returned c. All records in the reference.scc table are returned d. All records in the $TABLE[1] e are returned 34 17

18 Dealing with NULL Values NULL in SQL is a state (unknown) and not a value: data value does not exist in the database Used when data is unknown Unknown "value of zero" NULL values can cause unexpected output when combined with other values 'Fish' NULL 'Chips' = NULL NULL /0 = NULL NULL Values 35 What happens if there's no match in the other table? Coalesce function select e.scc, coalesce(scc.scc_description, 'An unspecified description') as scc_description, e.poll, coalesce(sum(e.ann_value),0) as ann_emis left join reference.scc on scc.scc = e.scc group by e.scc, scc.scc_description, e.poll order by e.scc NULL Values 36 18

19 COALESCE Function coalesce(value1, value2,...) function returns the first value in the list that is not null Replace select scc.scc_description with select coalesce(scc.scc_description, 'An unspecified description') If there is no description for the SCC (i.e., scc.scc_description is NULL), 'An upspecified description' is returned. NULL Values 37 Putting It All Together select e.scc, coalesce(s.scc_description, 'Unspecified description') as scc_description, e.poll, coalesce(p.descrptn, 'Unspecified description') as pollutant_code_desc, coalesce(sum(ann_value), 0) as ann_emis left join reference.invtable p on p.cas = e.poll left join reference.scc s on e.scc = s.scc group by e.scc, e.poll, p.descrptn, s.scc_description, p.name order by e.scc, p.name 38 19

20 Steps for SQL Query in the EMF -- From EMF main window: Manage Datasets -- Show Datasets of Type: Select one from drop-down menu: ex, nonpt_2011neiv2_nonpoint_ _11nov2014_v1.csv *Use or search button or to narrow down results displayed* -- Check box to select: ex, nonpt_2011neiv2_nonpoint_ _11nov2014_v1.csv -- Click Edit Properties at bottom of the screen -- Click QA tab at top -- Click Add Custom at bottom of screen -- Enter Name (ex, test, temp, or something descriptive for future reminder) -- In Program drop-down box choose SQL -- In Arguments box type in or cut & paste SQL query -- Click OK -- Back in Dataset Properties Editor, check the box next to the QA Step that you added and click Edit at bottom of screen -- In Edit QA Step window, check box for Download result file to local machine? if want to export results -- Click Run -- Click View Results to see results in EMF * If there are multiple files in a dataset type, make sure to keep track of which file your query is applied to. Query results are for that particular file only. * Dumping run logs in status windows to trashcan before run starts will reduce clustering and make the log easier to read 39 Exporting to Google Earth Option to export data in KMZ format used by Google Earth For QA step results that include latitude and longitude coordinates Export from View QA Step Results window QA Step Results: Mapping 40 20

21 Exporting to Google Earth QA Step Results: Mapping 41 Formatting Note: Quotes CAUTION! "smart quotes" cause a syntax error in the EMF 42 21

INTRODUCTION: SQL SERVER ACCESS / LOGIN ACCOUNT INFO:

INTRODUCTION: SQL SERVER ACCESS / LOGIN ACCOUNT INFO: INTRODUCTION: You can extract data (i.e. the total cost report) directly from the Truck Tracker SQL Server database by using a 3 rd party data tools such as Excel or Crystal Reports. Basically any software

More information

Ad Hoc Reporting: Data Export

Ad Hoc Reporting: Data Export Ad Hoc Reporting: Data Export Contents Ad Hoc Reporting > Data Export... 1 Export Format Options... 3 HTML list report (IMAGE 1)... 3 XML (IMAGE 2)... 4 Delimited Values (CSV)... 4 Fixed Width (IMAGE 10)...

More information

Advanced Query for Query Developers

Advanced Query for Query Developers for Developers This is a training guide to step you through the advanced functions of in NUFinancials. is an ad-hoc reporting tool that allows you to retrieve data that is stored in the NUFinancials application.

More information

PeopleSoft Query Training

PeopleSoft Query Training PeopleSoft Query Training Overview Guide Tanya Harris & Alfred Karam Publish Date - 3/16/2011 Chapter: Introduction Table of Contents Introduction... 4 Navigation of Queries... 4 Query Manager... 6 Query

More information

TRIM: Web Tool. Web Address The TRIM web tool can be accessed at:

TRIM: Web Tool. Web Address The TRIM web tool can be accessed at: TRIM: Web Tool Accessing TRIM Records through the Web The TRIM web tool is primarily aimed at providing access to records in the TRIM system. While it is possible to place records into TRIM or amend records

More information

Unit 10: Microsoft Access Queries

Unit 10: Microsoft Access Queries Microsoft Access Queries Unit 10: Microsoft Access Queries Introduction Queries are a fundamental means of accessing and displaying data from tables. Queries used to view, update, and analyze data in different

More information

IRA Pivot Table Review and Using Analyze to Modify Reports. For help, email [email protected]

IRA Pivot Table Review and Using Analyze to Modify Reports. For help, email Financial.Reports@dartmouth.edu IRA Pivot Table Review and Using Analyze to Modify Reports 1 What is a Pivot Table? A pivot table takes rows of detailed data (such as the lines in a downloadable table) and summarizes them at a higher

More information

March 2015. Module 3 Processing MOVES Output

March 2015. Module 3 Processing MOVES Output March 2015 Module 3 Processing MOVES Output Module Overview Describe what is contained in the MOVES output tables Use the Post-Processing Menu and post-processing MySQL scripts View and manipulate MOVES

More information

MAS 500 Intelligence Tips and Tricks Booklet Vol. 1

MAS 500 Intelligence Tips and Tricks Booklet Vol. 1 MAS 500 Intelligence Tips and Tricks Booklet Vol. 1 1 Contents Accessing the Sage MAS Intelligence Reports... 3 Copying, Pasting and Renaming Reports... 4 To create a new report from an existing report...

More information

BID2WIN Workshop. Advanced Report Writing

BID2WIN Workshop. Advanced Report Writing BID2WIN Workshop Advanced Report Writing Please Note: Please feel free to take this workbook home with you! Electronic copies of all lab documentation are available for download at http://www.bid2win.com/userconf/2011/labs/

More information

NEW IR DATA WAREHOUSE

NEW IR DATA WAREHOUSE GO TO Institutional Research website at http://www.irim.ttu.edu/. a. On the Left side menu, CLICK Data Warehouse link. This will lead you to the main IR Data Warehouse page. b. CLICK IR Data Warehouse

More information

Web Intelligence User Guide

Web Intelligence User Guide Web Intelligence User Guide Office of Financial Management - Enterprise Reporting Services 4/11/2011 Table of Contents Chapter 1 - Overview... 1 Purpose... 1 Chapter 2 Logon Procedure... 3 Web Intelligence

More information

PSU 2012. SQL: Introduction. SQL: Introduction. Relational Databases. Activity 1 Examining Tables and Diagrams

PSU 2012. SQL: Introduction. SQL: Introduction. Relational Databases. Activity 1 Examining Tables and Diagrams PSU 2012 SQL: Introduction SQL: Introduction The PowerSchool database contains data that you access through a web page interface. The interface is easy to use, but sometimes you need more flexibility.

More information

REP200 Using Query Manager to Create Ad Hoc Queries

REP200 Using Query Manager to Create Ad Hoc Queries Using Query Manager to Create Ad Hoc Queries June 2013 Table of Contents USING QUERY MANAGER TO CREATE AD HOC QUERIES... 1 COURSE AUDIENCES AND PREREQUISITES...ERROR! BOOKMARK NOT DEFINED. LESSON 1: BASIC

More information

Process Document Campus Community: Create Communication Template. Document Generation Date 7/8/2009 Last Changed by Status

Process Document Campus Community: Create Communication Template. Document Generation Date 7/8/2009 Last Changed by Status Document Generation Date 7/8/2009 Last Changed by Status Final System Office Create Communication Template Concept If you frequently send the same Message Center communication to selected students, you

More information

Tips and Tricks SAGE ACCPAC INTELLIGENCE

Tips and Tricks SAGE ACCPAC INTELLIGENCE Tips and Tricks SAGE ACCPAC INTELLIGENCE 1 Table of Contents Auto e-mailing reports... 4 Automatically Running Macros... 7 Creating new Macros from Excel... 8 Compact Metadata Functionality... 9 Copying,

More information

Quick and Easy Web Maps with Google Fusion Tables. SCO Technical Paper

Quick and Easy Web Maps with Google Fusion Tables. SCO Technical Paper Quick and Easy Web Maps with Google Fusion Tables SCO Technical Paper Version History Version Date Notes Author/Contact 1.0 July, 2011 Initial document created. Howard Veregin 1.1 Dec., 2011 Updated to

More information

Query. Training and Participation Guide Financials 9.2

Query. Training and Participation Guide Financials 9.2 Query Training and Participation Guide Financials 9.2 Contents Overview... 4 Objectives... 5 Types of Queries... 6 Query Terminology... 6 Roles and Security... 7 Choosing a Reporting Tool... 8 Working

More information

Access Queries (Office 2003)

Access Queries (Office 2003) Access Queries (Office 2003) Technical Support Services Office of Information Technology, West Virginia University OIT Help Desk 293-4444 x 1 oit.wvu.edu/support/training/classmat/db/ Instructor: Kathy

More information

SalesCTRL Release Notes

SalesCTRL Release Notes Task Manager Increase Task Name to 20-characters and Description to 40-characters Add Folder and Sub-Folders to organize Tasks Add tree-view look up for Tasks and Actions Add Email Library lookup for E-Mail

More information

INTRODUCING QUICKBOOKS WEBCONNECT!

INTRODUCING QUICKBOOKS WEBCONNECT! INTRODUCING QUICKBOOKS WEBCONNECT! The Mechanics Bank now offers Web Connect to download account information into QuickBooks, which gives you the power to manage your business more effectively. No manual

More information

Hatco Lead Management System: http://hatco.scangroup.net/

Hatco Lead Management System: http://hatco.scangroup.net/ Hatco Lead Management System User Guide General Notes: The Hatco Lead Management System (HLMS) is designed to work with modern web browsers, such as Internet Explorer 9 or newer, Firefox, Chrome & Safari.

More information

BusinessObjects: General Report Writing for Version 5

BusinessObjects: General Report Writing for Version 5 BusinessObjects: General Report Writing for Version 5 Contents 1 INTRODUCTION...3 1.1 PURPOSE OF COURSE...3 1.2 LEVEL OF EXPERIENCE REQUIRED...3 1.3 TERMINOLOGY...3 1.3.1 Universes...3 1.3.2 Objects...4

More information

How to Download Census Data from American Factfinder and Display it in ArcMap

How to Download Census Data from American Factfinder and Display it in ArcMap How to Download Census Data from American Factfinder and Display it in ArcMap Factfinder provides census and ACS (American Community Survey) data that can be downloaded in a tabular format and joined with

More information

Call Recorder Quick CD Access System

Call Recorder Quick CD Access System Call Recorder Quick CD Access System V4.0 VC2010 Contents 1 Call Recorder Quick CD Access System... 3 1.1 Install the software...4 1.2 Start...4 1.3 View recordings on CD...5 1.4 Create an archive on Hard

More information

Visualization with Excel Tools and Microsoft Azure

Visualization with Excel Tools and Microsoft Azure Visualization with Excel Tools and Microsoft Azure Introduction Power Query and Power Map are add-ins that are available as free downloads from Microsoft to enhance the data access and data visualization

More information

CONTENTS MANUFACTURERS GUIDE FOR PUBLIC USERS

CONTENTS MANUFACTURERS GUIDE FOR PUBLIC USERS OPA DATABASE GUIDE FOR PUBLIC USERS - MARCH 2013 VERSION 5.0 CONTENTS Manufacturers 1 Manufacturers 1 Registering a Manufacturer 2 Search Manufacturers 3 Advanced Search Options 3 Searching for Manufacturers

More information

User Training Guide. 2010 Entrinsik, Inc.

User Training Guide. 2010 Entrinsik, Inc. User Training Guide 2010 Entrinsik, Inc. Table of Contents About Informer... 6 In This Chapter... 8 Logging In To Informer... 8 The Login... 8 Main Landing... 9 Banner... 9 Navigation Bar... 10 Report

More information

SES Project v 9.0 SES/CAESAR QUERY TOOL. Running and Editing Queries. PS Query

SES Project v 9.0 SES/CAESAR QUERY TOOL. Running and Editing Queries. PS Query SES Project v 9.0 SES/CAESAR QUERY TOOL Running and Editing Queries PS Query Table Of Contents I - Introduction to Query:... 3 PeopleSoft Query Overview:... 3 Query Terminology:... 3 Navigation to Query

More information

Business Reports. ARUP Connect

Business Reports. ARUP Connect Business Reports ARUP Connect User Manual November 2015 Table of Contents Business Reports... 4 Quick Reference... 4 View Reports... 5 My Reports Tab... 5 Open a Report... 5 Save a Report... 5 Modify My

More information

Setting Preferences in QuickBooks

Setting Preferences in QuickBooks Setting Preferences in QuickBooks The following preferences should be set in Quickbooks: Setting QuickBooks to Display the Lowest Sub-Account Number The Default setting in QuickBooks for displaying Account

More information

Microsoft Access Rollup Procedure for Microsoft Office 2007. 2. Click on Blank Database and name it something appropriate.

Microsoft Access Rollup Procedure for Microsoft Office 2007. 2. Click on Blank Database and name it something appropriate. Microsoft Access Rollup Procedure for Microsoft Office 2007 Note: You will need tax form information in an existing Excel spreadsheet prior to beginning this tutorial. 1. Start Microsoft access 2007. 2.

More information

Novell ZENworks Asset Management 7.5

Novell ZENworks Asset Management 7.5 Novell ZENworks Asset Management 7.5 w w w. n o v e l l. c o m October 2006 USING THE WEB CONSOLE Table Of Contents Getting Started with ZENworks Asset Management Web Console... 1 How to Get Started...

More information

History Explorer. View and Export Logged Print Job Information WHITE PAPER

History Explorer. View and Export Logged Print Job Information WHITE PAPER History Explorer View and Export Logged Print Job Information WHITE PAPER Contents Overview 3 Logging Information to the System Database 4 Logging Print Job Information from BarTender Designer 4 Logging

More information

Pharmacy Affairs Branch. Website Database Downloads PUBLIC ACCESS GUIDE

Pharmacy Affairs Branch. Website Database Downloads PUBLIC ACCESS GUIDE Pharmacy Affairs Branch Website Database Downloads PUBLIC ACCESS GUIDE From this site, you may download entity data, contracted pharmacy data or manufacturer data. The steps to download any of the three

More information

Fig. 1 Suitable data for a Crosstab Query.

Fig. 1 Suitable data for a Crosstab Query. Crosstab Queries A Crosstab Query is a special kind of query that summarizes data by plotting one field against one or more other fields. Crosstab Queries can handle large amounts of data with ease and

More information

CCC Report Center Overview... 3. Accessing the CCC Report Center... 4. Accessing, Working With, and Running Reports... 6. Customizing Reports...

CCC Report Center Overview... 3. Accessing the CCC Report Center... 4. Accessing, Working With, and Running Reports... 6. Customizing Reports... CCC Report Center Contents 2 Contents CCC Report Center Overview... 3 Accessing the CCC Report Center... 4 Accessing, Working With, and Running Reports... 6 Customizing Reports... 11 Creating Ad Hoc Views

More information

Decision Support AITS University Administration. EDDIE 4.1 User Guide

Decision Support AITS University Administration. EDDIE 4.1 User Guide Decision Support AITS University Administration EDDIE 4.1 User Guide 2 P a g e EDDIE (BI Launch Pad) 4.1 User Guide Contents Introduction to EDDIE... 4 Log into EDDIE... 4 Overview of EDDIE Homepage...

More information

Knowledgebase Article

Knowledgebase Article Company web site: Support email: Support telephone: +44 20 3287-7651 +1 646 233-1163 2 EMCO Network Inventory 5 provides a built in SQL Query builder that allows you to build more comprehensive

More information

Trial version of GADD Dashboards Builder

Trial version of GADD Dashboards Builder Trial version of GADD Dashboards Builder Published 2014-02 gaddsoftware.com Table of content 1. Introduction... 3 2. Getting started... 3 2.1. Start the GADD Dashboard Builder... 3 2.2. Example 1... 3

More information

Data Tool Platform SQL Development Tools

Data Tool Platform SQL Development Tools Data Tool Platform SQL Development Tools ekapner Contents Setting SQL Development Preferences...5 Execution Plan View Options Preferences...5 General Preferences...5 Label Decorations Preferences...6

More information

Jet Data Manager 2012 User Guide

Jet Data Manager 2012 User Guide Jet Data Manager 2012 User Guide Welcome This documentation provides descriptions of the concepts and features of the Jet Data Manager and how to use with them. With the Jet Data Manager you can transform

More information

Mitigation Planning Portal MPP Reporting System

Mitigation Planning Portal MPP Reporting System Mitigation Planning Portal MPP Reporting System Updated: 7/13/2015 Introduction Access the MPP Reporting System by clicking on the Reports tab and clicking the Launch button. Within the system, you can

More information

This document describes the capabilities of NEXT Analytics v5.1 to retrieve data from Google Analytics directly into your spreadsheet file.

This document describes the capabilities of NEXT Analytics v5.1 to retrieve data from Google Analytics directly into your spreadsheet file. NEXT Google Analytics User Guide This document describes the capabilities of NEXT Analytics v5.1 to retrieve data from Google Analytics directly into your spreadsheet file. Table of Contents Adding a Google

More information

Support Desk Help Manual. v 1, May 2014

Support Desk Help Manual. v 1, May 2014 Support Desk Help Manual v 1, May 2014 Table of Contents When do I create a ticket in DataRPM?... 3 How do I decide the Priority of the bug I am logging in?... 3 How do I Create a Ticket?... 3 How do I

More information

USING MYWEBSQL FIGURE 1: FIRST AUTHENTICATION LAYER (ENTER YOUR REGULAR SIMMONS USERNAME AND PASSWORD)

USING MYWEBSQL FIGURE 1: FIRST AUTHENTICATION LAYER (ENTER YOUR REGULAR SIMMONS USERNAME AND PASSWORD) USING MYWEBSQL MyWebSQL is a database web administration tool that will be used during LIS 458 & CS 333. This document will provide the basic steps for you to become familiar with the application. 1. To

More information

Creating a Participants Mailing and/or Contact List:

Creating a Participants Mailing and/or Contact List: Creating a Participants Mailing and/or Contact List: The Limited Query function allows a staff member to retrieve (query) certain information from the Mediated Services system. This information is from

More information

A database is a collection of data organised in a manner that allows access, retrieval, and use of that data.

A database is a collection of data organised in a manner that allows access, retrieval, and use of that data. Microsoft Access A database is a collection of data organised in a manner that allows access, retrieval, and use of that data. A Database Management System (DBMS) allows users to create a database; add,

More information

Lab 9 Access PreLab Copy the prelab folder, Lab09 PreLab9_Access_intro

Lab 9 Access PreLab Copy the prelab folder, Lab09 PreLab9_Access_intro Lab 9 Access PreLab Copy the prelab folder, Lab09 PreLab9_Access_intro, to your M: drive. To do the second part of the prelab, you will need to have available a database from that folder. Creating a new

More information

Welcome to the topic on queries in SAP Business One.

Welcome to the topic on queries in SAP Business One. Welcome to the topic on queries in SAP Business One. 1 In this topic, you will learn to create SQL queries using the SAP Business One query tools Query Wizard and Query Generator. You will also see how

More information

Utilities. 2003... ComCash

Utilities. 2003... ComCash Utilities ComCash Utilities 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, or

More information

The Welcome screen displays each time you log on to PaymentNet; it serves as your starting point or home screen.

The Welcome screen displays each time you log on to PaymentNet; it serves as your starting point or home screen. PaymentNet Cardholder Quick Reference Card Corporate Card ffwelcome to PaymentNet The Welcome screen displays each time you log on to PaymentNet; it serves as your starting point or home screen. PaymentNet

More information

Microsoft Office Access 2007 which I refer to as Access throughout this book

Microsoft Office Access 2007 which I refer to as Access throughout this book Chapter 1 Getting Started with Access In This Chapter What is a database? Opening Access Checking out the Access interface Exploring Office Online Finding help on Access topics Microsoft Office Access

More information

Chapter 24: Creating Reports and Extracting Data

Chapter 24: Creating Reports and Extracting Data Chapter 24: Creating Reports and Extracting Data SEER*DMS includes an integrated reporting and extract module to create pre-defined system reports and extracts. Ad hoc listings and extracts can be generated

More information

SIMPLY REPORTS DEVELOPED BY THE SHARE STAFF SERVICES TEAM

SIMPLY REPORTS DEVELOPED BY THE SHARE STAFF SERVICES TEAM SIMPLY REPORTS DEVELOPED BY THE SHARE STAFF SERVICES TEAM Winter 2014 TABLE OF CONTENTS Logging In and Overview...3 Steps to Creating a Report...7 Steps for Publishing a Report...9 Using Data from a Record

More information

Creating QBE Queries in Microsoft SQL Server

Creating QBE Queries in Microsoft SQL Server Creating QBE Queries in Microsoft SQL Server When you ask SQL Server or any other DBMS (including Access) a question about the data in a database, the question is called a query. A query is simply a question

More information

Knowledgebase Article

Knowledgebase Article How to detect Internet Explorer version using Custom Scan Company web site: Support email: Support telephone: +44 20 3287-7651 +1 646 233-1163 2 The Internet Explorer application is not

More information

InfiniteInsight 6.5 sp4

InfiniteInsight 6.5 sp4 End User Documentation Document Version: 1.0 2013-11-19 CUSTOMER InfiniteInsight 6.5 sp4 Toolkit User Guide Table of Contents Table of Contents About this Document 3 Common Steps 4 Selecting a Data Set...

More information

Houston Region Diesel Engine Database Minimum System Requirements Installation Instructions Quick Start Guide version 0.1

Houston Region Diesel Engine Database Minimum System Requirements Installation Instructions Quick Start Guide version 0.1 Houston Region Diesel Engine Database Minimum System Requirements Installation Instructions Quick Start Guide version 0.1 Recommended System Specifications 1 Hardware: Intel Pentium-4 Class CPU 512 MB

More information

Using Ad-Hoc Reporting

Using Ad-Hoc Reporting Using Ad-Hoc Reporting The purpose of this guide is to explain how the Ad-hoc reporting function can be used to produce Management Information from client and product data held in the Key. The guide will

More information

Oracle Data Miner (Extension of SQL Developer 4.0)

Oracle Data Miner (Extension of SQL Developer 4.0) An Oracle White Paper September 2013 Oracle Data Miner (Extension of SQL Developer 4.0) Integrate Oracle R Enterprise Mining Algorithms into a workflow using the SQL Query node Denny Wong Oracle Data Mining

More information

NEXT Analytics Business Intelligence User Guide

NEXT Analytics Business Intelligence User Guide NEXT Analytics Business Intelligence User Guide This document provides an overview of the powerful business intelligence functions embedded in NEXT Analytics v5. These functions let you build more useful

More information

Analytics Canvas Tutorial: Cleaning Website Referral Traffic Data. N m o d a l S o l u t i o n s I n c. A l l R i g h t s R e s e r v e d

Analytics Canvas Tutorial: Cleaning Website Referral Traffic Data. N m o d a l S o l u t i o n s I n c. A l l R i g h t s R e s e r v e d Cleaning Website Referral Traffic Data Overview Welcome to Analytics Canvas's cleaning referral traffic data tutorial. This is one of a number of detailed tutorials in which we explain how each feature

More information

1. To start Installation: To install the reporting tool, copy the entire contents of the zip file to a directory of your choice. Run the exe.

1. To start Installation: To install the reporting tool, copy the entire contents of the zip file to a directory of your choice. Run the exe. CourseWebs Reporting Tool Desktop Application Instructions The CourseWebs Reporting tool is a desktop application that lets a system administrator modify existing reports and create new ones. Changes to

More information

User s Guide: Archiving Work from an LMS PROJECT SHARE

User s Guide: Archiving Work from an LMS PROJECT SHARE User s Guide: Archiving Work from an LMS PROJECT SHARE Table of Contents Courses... 2 Groups... 8 eportfolio... 10 File Manager... 14 Institution Administrators... 15 Page 1 The Epsilen learning management

More information

COLLABORATION NAVIGATING CMiC

COLLABORATION NAVIGATING CMiC Reference Guide covers the following items: How to login Launching applications and their typical action buttons Querying & filtering log views Export log views to Excel User Profile Update info / Change

More information

Query 4. Lesson Objectives 4. Review 5. Smart Query 5. Create a Smart Query 6. Create a Smart Query Definition from an Ad-hoc Query 9

Query 4. Lesson Objectives 4. Review 5. Smart Query 5. Create a Smart Query 6. Create a Smart Query Definition from an Ad-hoc Query 9 TABLE OF CONTENTS Query 4 Lesson Objectives 4 Review 5 Smart Query 5 Create a Smart Query 6 Create a Smart Query Definition from an Ad-hoc Query 9 Query Functions and Features 13 Summarize Output Fields

More information

LABSHEET 1: creating a table, primary keys and data types

LABSHEET 1: creating a table, primary keys and data types LABSHEET 1: creating a table, primary keys and data types Before you begin, you may want to take a look at the following links to remind yourself of the basics of MySQL and the SQL language. MySQL 5.7

More information

Log in using the username and password you were provided. Once logged in, click on the Inventory tab on the top right to open your Advertisers page.

Log in using the username and password you were provided. Once logged in, click on the Inventory tab on the top right to open your Advertisers page. REVIVE AD SERVER INSTRUCTIONS Welcome to the Artsopolis Network FAQ Page for the OpenX (now Revive) ad server. The Revive ad server is a free, open source ad serving system that facilitates the quick and

More information

Using SQL Server Management Studio

Using SQL Server Management Studio Using SQL Server Management Studio Microsoft SQL Server Management Studio 2005 is a graphical tool for database designer or programmer. With SQL Server Management Studio 2005 you can: Create databases

More information

Simply Accounting Intelligence Tips and Tricks Booklet Vol. 1

Simply Accounting Intelligence Tips and Tricks Booklet Vol. 1 Simply Accounting Intelligence Tips and Tricks Booklet Vol. 1 1 Contents Accessing the SAI reports... 3 Running, Copying and Pasting reports... 4 Creating and linking a report... 5 Auto e-mailing reports...

More information

Overview... 2 How to Add New Documents... 3 Adding a Note / SMS or Phone Message... 3 Adding a New Letter... 4. How to Create Letter Templates...

Overview... 2 How to Add New Documents... 3 Adding a Note / SMS or Phone Message... 3 Adding a New Letter... 4. How to Create Letter Templates... THE DOCUMENT MANAGER Chapter 14 THE DOCUMENT MANAGER CONTENTS Overview... 2 How to Add New Documents... 3 Adding a Note / SMS or Phone Message... 3 Adding a New Letter... 4 How to Create Letter Templates...

More information

Importing TSM Data into Microsoft Excel using Microsoft Query

Importing TSM Data into Microsoft Excel using Microsoft Query Importing TSM Data into Microsoft Excel using Microsoft Query An alternate way to report on TSM information is to use Microsoft Excel s import facilities using Microsoft Query to selectively import the

More information

Publishing Reports in Tableau

Publishing Reports in Tableau Requesting Tableau System Access... 2 Terms and Definitions... 2 License Levels... 2 User Rights... 2 Permissions... 2 Viewer... 3 Interactor... 3 Editor... 3 Publisher... 3 Project Leader... 4 Custom...

More information

SonicWALL GMS Custom Reports

SonicWALL GMS Custom Reports SonicWALL GMS Custom Reports Document Scope This document describes how to configure and use the SonicWALL GMS 6.0 Custom Reports feature. This document contains the following sections: Feature Overview

More information

Sales Person Commission

Sales Person Commission Sales Person Commission Table of Contents INTRODUCTION...1 Technical Support...1 Overview...2 GETTING STARTED...3 Adding New Salespersons...3 Commission Rates...7 Viewing a Salesperson's Invoices or Proposals...11

More information

How To Use Query Console

How To Use Query Console Query Console User Guide 1 MarkLogic 8 February, 2015 Last Revised: 8.0-1, February, 2015 Copyright 2015 MarkLogic Corporation. All rights reserved. Table of Contents Table of Contents Query Console User

More information

Microsoft Access 3: Understanding and Creating Queries

Microsoft Access 3: Understanding and Creating Queries Microsoft Access 3: Understanding and Creating Queries In Access Level 2, we learned how to perform basic data retrievals by using Search & Replace functions and Sort & Filter functions. For more complex

More information

Lab # 5. Retreiving Data from Multiple Tables. Eng. Alaa O Shama

Lab # 5. Retreiving Data from Multiple Tables. Eng. Alaa O Shama The Islamic University of Gaza Faculty of Engineering Department of Computer Engineering ECOM 4113: Database Lab Lab # 5 Retreiving Data from Multiple Tables Eng. Alaa O Shama November, 2015 Objectives:

More information

Don't have Outlook? Download and configure the Microsoft Office Suite (which includes Outlook)!

Don't have Outlook? Download and configure the Microsoft Office Suite (which includes Outlook)! UVa Exchange Service Outlook 2013 Quickstart Guide Don't have Outlook? Download and configure the Microsoft Office Suite (which includes Outlook)! In this Quickstart Guide, you will learn to: Send and

More information

MS Excel Template Building and Mapping for Neat 5

MS Excel Template Building and Mapping for Neat 5 MS Excel Template Building and Mapping for Neat 5 Neat 5 provides the opportunity to export data directly from the Neat 5 program to an Excel template, entering in column information using receipts saved

More information

Click to create a query in Design View. and click the Query Design button in the Queries group to create a new table in Design View.

Click to create a query in Design View. and click the Query Design button in the Queries group to create a new table in Design View. Microsoft Office Access 2010 Understanding Queries Queries are questions you ask of your database. They allow you to select certain fields out of a table, or pull together data from various related tables

More information

How to Create a Custom TracDat Report With the Ad Hoc Reporting Tool

How to Create a Custom TracDat Report With the Ad Hoc Reporting Tool TracDat Version 4 User Reference Guide Ad Hoc Reporting Tool This reference guide is intended for TracDat users with access to the Ad Hoc Reporting Tool. This reporting tool allows the user to create custom

More information

Using SQL Queries in Crystal Reports

Using SQL Queries in Crystal Reports PPENDIX Using SQL Queries in Crystal Reports In this appendix Review of SQL Commands PDF 924 n Introduction to SQL PDF 924 PDF 924 ppendix Using SQL Queries in Crystal Reports The SQL Commands feature

More information

Business Objects. Report Writing - CMS Net and CCS Claims

Business Objects. Report Writing - CMS Net and CCS Claims Business Objects Report Writing - CMS Net and CCS Claims Updated 11/28/2012 1 Introduction/Background... 4 Report Writing (Ad-Hoc)... 4 Requesting Report Writing Access... 4 Java Version... 4 Create A

More information

SAP Business Objects Business Intelligence platform Document Version: 4.1 Support Package 7 2015-11-24. Data Federation Administration Tool Guide

SAP Business Objects Business Intelligence platform Document Version: 4.1 Support Package 7 2015-11-24. Data Federation Administration Tool Guide SAP Business Objects Business Intelligence platform Document Version: 4.1 Support Package 7 2015-11-24 Data Federation Administration Tool Guide Content 1 What's new in the.... 5 2 Introduction to administration

More information

Lesson 07: MS ACCESS - Handout. Introduction to database (30 mins)

Lesson 07: MS ACCESS - Handout. Introduction to database (30 mins) Lesson 07: MS ACCESS - Handout Handout Introduction to database (30 mins) Microsoft Access is a database application. A database is a collection of related information put together in database objects.

More information

Bulk Downloader. Call Recording: Bulk Downloader

Bulk Downloader. Call Recording: Bulk Downloader Call Recording: Bulk Downloader Contents Introduction... 3 Getting Started... 3 Configuration... 4 Create New Job... 6 Running Jobs... 7 Job Log... 7 Scheduled Jobs... 8 Recent Runs... 9 Storage Device

More information

Human Resources (HR) Query Basics

Human Resources (HR) Query Basics Human Resources (HR) Query Basics This course will teach you the concepts and procedures involved in finding public queries, creating private queries, and running queries in PeopleSoft 9.1 Query Manager.

More information

Salary and Planning Distribution (SPD) Ad-Hoc Reporting Tool

Salary and Planning Distribution (SPD) Ad-Hoc Reporting Tool Salary and Planning Distribution (SPD) Ad-Hoc Reporting Tool Georgia Institute of Technology HRMS 8.8 Systems Training Copyright Georgia Institute of Technology 2004 Table of Contents Getting Started...3

More information

Setting Up ALERE with Client/Server Data

Setting Up ALERE with Client/Server Data Setting Up ALERE with Client/Server Data TIW Technology, Inc. November 2014 ALERE is a registered trademark of TIW Technology, Inc. The following are registered trademarks or trademarks: FoxPro, SQL Server,

More information

How to Import Data into Microsoft Access

How to Import Data into Microsoft Access How to Import Data into Microsoft Access This tutorial demonstrates how to import an Excel file into an Access database. You can also follow these same steps to import other data tables into Access, such

More information

User Guide. Analytics Desktop Document Number: 09619414

User Guide. Analytics Desktop Document Number: 09619414 User Guide Analytics Desktop Document Number: 09619414 CONTENTS Guide Overview Description of this guide... ix What s new in this guide...x 1. Getting Started with Analytics Desktop Introduction... 1

More information

Advanced BIAR Participant Guide

Advanced BIAR Participant Guide State & Local Government Solutions Medicaid Information Technology System (MITS) Advanced BIAR Participant Guide October 28, 2010 HP Enterprise Services Suite 100 50 West Town Street Columbus, OH 43215

More information

Instructions for applying data validation(s) to data fields in Microsoft Excel

Instructions for applying data validation(s) to data fields in Microsoft Excel 1 of 10 Instructions for applying data validation(s) to data fields in Microsoft Excel According to Microsoft Excel, a data validation is used to control the type of data or the values that users enter

More information

Inquiry Formulas. student guide

Inquiry Formulas. student guide Inquiry Formulas student guide NOTICE This documentation and the Axium software programs may only be used in accordance with the accompanying Ajera License Agreement. You may not use, copy, modify, or

More information

The Inventory Module. At its core, ecomdash is an inventory management system. Use this guide as a walkthrough to the Inventory module.

The Inventory Module. At its core, ecomdash is an inventory management system. Use this guide as a walkthrough to the Inventory module. The Inventory Module At its core, ecomdash is an inventory management system. Use this guide as a walkthrough to the Inventory module. What can I do in the Inventory Module? View current inventory Add

More information

Dell KACE K1000 Management Appliance. Asset Management Guide. Release 5.3. Revision Date: May 13, 2011

Dell KACE K1000 Management Appliance. Asset Management Guide. Release 5.3. Revision Date: May 13, 2011 Dell KACE K1000 Management Appliance Asset Management Guide Release 5.3 Revision Date: May 13, 2011 2004-2011 Dell, Inc. All rights reserved. Information concerning third-party copyrights and agreements,

More information