Working with a SQL Server Data Mart

Size: px
Start display at page:

Download "Working with a SQL Server Data Mart"

Transcription

1 Working with a SQL Server Data Mart SQL Server Management Studio Logging In Navigating Basic SQL SELECT Statement WHERE Clause JOINs Exporting Data to CSV Advanced SQL Additional Resources SQL Server Management Studio SQL Server Management Studio is an interface to query the data mart using SQL. SQL queries will allow you to get data from a single table or from many tables using JOINs. Logging In To begin, open SQL Server Management Studio 2014 from the desktop shortcut, or through the start menu. When the application opens, it will ask you to connect to the server. The following values should be defaulted: Server type: Database Engine Server name: rsp-hr-db1.ahc.umn.edu Authentication: Windows Authentication Ensure that these are the values that you see, and click Connect. This will connect you to the database server using your Active Directory (AD) credentials. These are the credentials that you used to login to the Data Shelter. Permissions are configured to give you access to only the data marts that you are authorized to view. You may have more than one data mart available to you if you are listed on more than one request. The databases are named in the following format: [PI Last Name][PI First Name Initial]-Req[5 digit request number] PI Name: Jane Doe; Request Number: 42 -> DoeJ-Req00042 Once connected you will see a navigation tree in the left pane of the application, as shown below.

2 Navigating Once connected to the server you will need to navigate to your data mart. Expand Databases by clicking the plus icon or by double-clicking the text. This will display a list of databases. Find the database you wish to work with based on the naming convention above, and expand the database. There are two main items under the database you will be concerned with; Tables and Views. When you expand the Tables item you will see a the list of tables that are included in your data mart. If you expand a table you will see the details about the table, including Columns. If you expand Columns you will see the list of columns that are on the table. To quickly review the data that is in a single table, right-click on the table name and select Select Top 1000 Rows.

3 This will open a pre-written query that will show 1000 rows of data from the selected table. This is a convenience method and can help you get started. For more details on writing SQL SELECT statements continue to Basic SQL. Basic SQL SELECT Statement The most common task in SQL is the SELECT statement. To write a SELECT statement, a Query Editor Window will need to be opened. The simplest way to do this is to right-click on the name of your database and select New Query. This will open an editor to the right of the navigation tree. An example of the simplest SELECT statement is below: SELECT * FROM dbo.patient SQL is not case-sensitive, and is not affected by white-space. A SELECT statement begins with the SELECT keyword, and will be followed by the list of columns to be returned. In this example the asterisk means all columns. Next is the FROM clause; this specifies the table that should be queried. In this example the PATIENT table. After entering the above query into your Query Editor Window, execute it. This can be done by clicking the Execute button in the toolbar, or by pressing F5 on the keyboard. The results will be shown in a table below the query text.

4 That is the most basic SELECT statement. However, many times we may not need every column from the table. Let's refine our query to get the patients' Id, birth date, sex, and marital status. SELECT PATIENT.PATIENT_ID, PATIENT.BIRTH_DATE, PATIENT.SEX, PATIENT.MARITAL_STATUS FROM dbo.patient The above query is very similar to our earlier query, but explicitly defines the columns that should be returned from the table. Also, notice that each column is prefixed with the name of the table and separated by a dot (.). Prefixing the columns with the table name is not required and can be omitted on simple queries. The prefixes become necessary when we start using JOINs, which will be covered later. Let's review the results by executing the query as we did before. The results should display as they did before, and only the columns requested are returned. WHERE Clause The WHERE clause is used to filter data returned by the query. The most basic way to filter is on equality. Let's take our earlier query of patients and only get those that are female.

5 SELECT PATIENT.PATIENT_ID, PATIENT.BIRTH_DATE, PATIENT.SEX, PATIENT.MARITAL_STATUS FROM dbo.patient WHERE SEX = 'F' Running the above query will return all patients that are female. The WHERE clause can contain comparison operators and logical operators. Below are brief descriptions of these operators. Comparison Operators Operator Description Example Result = is equal to PATIENT.SEX = 'F' Only patients where SEX is equal to 'F' will be returned in the results. < less than SERVICE.ENCOUNTER_DATE < ' ' <= less than or equal to SERVICE.ENCOUNTER_DATE <= ' ' > greater than SERVICE.ENCOUNTER_DATE > ' ' >= greater than or equal to SERVICE.ENCOUNTER_DATE >= ' ' Only services where the encounter dates come before midnight on January 1, 2014 will be returned. Note that the less than operator works with dates, numbers, and text. This similar to less than, but will include encounters that occur at midnight on January 1, Only services where the encounter dates come after midnight on January 1, 2014 will be returned. Similar to greater than,but will include encounters that occur at midnight on January 1, 2014.

6 <>,!= not equal to PATIENT.SEX <> 'F' Only patients where SEX is not equal 'F' will be returned. Note that NULL v alues for SEX will not be returned. Anything compared to NULL is false. LIKE is like PATIENT.LAST_NAME LIKE '%JOHN%' Returns patients with a last name that contains the text 'JOHN'. The '%' is a wildcard. It will match any character. In the example '%' is used on both ends of the search, so 'JOHN' may appear anywhere in the last name. The example can be updated to search for last names that begin with 'JOHN' as follows, PATIENT.LAST_NAME like 'JOHN%'. IS NULL is null PATIENT.SEX IS NULL Returns rows where the SEX is null. This is the only way to equate something to NULL. Logical Operators Operator Description Example Result AND and PATIENT.SEX = 'F' AND PATIENT.MARITAL_STATUS = 'M' OR or PATIENT.SEX = 'M' OR PATIENT.MARITAL_STATUS = 'S' NOT not NOT (PATIENT.SEX = 'F' AND PATIENT.MARITAL_STATUS = 'M') Married females will be returned. All males and all singles will be returned. Note that only single females will be returned, and all males regardless of marital status. The NOT operator negates a statement. The inner statement would return all married females, with the NOT applied it will return all other patients that are not both married and female. The NOT operator can be used with IS NULL to get all non- NULL values (i.e. PATIENT.SEX IS NOT NULL). A WHERE clause can be simple or can become very complicated. Parenthesis are used to group statements together in the order they should be applied. There is an order of operations that is used when evaluating AND and OR clauses. The AND operator will be evaluated before the OR operator. Review the following example. SELECT PATIENT.PATIENT_ID, PATIENT.BIRTH_DATE, PATIENT.SEX, PATIENT.MARITAL_STATUS FROM dbo.patient WHERE SEX = 'F' AND MARITAL_STATUS = 'D' OR MARITAL_STATUS = 'W' It would be easy to expect the above query to return females that are divorced or widowed. However, this not what is returned. This query will return females that are divorced or any other patients that are widowed. To get the results that are expected parenthesis should be used as in the updated example below.

7 SELECT PATIENT.PATIENT_ID, PATIENT.BIRTH_DATE, PATIENT.SEX, PATIENT.MARITAL_STATUS FROM dbo.patient WHERE SEX = 'F' AND (MARITAL_STATUS = 'D' OR MARITAL_STATUS = 'W') Note the parenthesis around the two statements separated by the OR. In most cases if you are going to use an OR operator you should be using parenthesis to group your statements. JOINs JOINs are used to combine related data together into a single query. For example, let's query services and include the patients' first name, last name, MRN. Let's start with the query below querying from the SERVICE table. SELECT SERVICE.SERVICE_ID, SERVICE.ENCOUNTER_DATE, SERVICE.TYPE_CODE, SERVICE.DEPARTMENT_NAME FROM dbo.service This is return all services and contains the services' Id, encounter date, type code, and department name. However, we don't have any patient information to support this data. To add the patient data we'll add a JOIN to the PATIENT table. SELECT SERVICE.SERVICE_ID, SERVICE.ENCOUNTER_DATE, SERVICE.TYPE_CODE, SERVICE.DEPARTMENT_NAME, PATIENT.PATIENT_ID, PATIENT.SEX FROM dbo.service INNER JOIN dbo.patient ON PATIENT.PATIENT_ID = SERVICE.PATIENT_ID There are a couple things of note in this new query. First, we'll start line 9 that begins with INNER JOIN. This is the specification to join the data from another table. In this case we specifying a JOIN to the PATIENT table where the PATIENT_ID column from both tables are equal to each other. Also of note is the INNER JOIN itself. An INNER JOIN means that each row from the SERVICE table must match a corresponding row from the PATIENT table. If there were no corresponding PATIENT row, the SERVICE row would be omitted from the results. Second, you'll see the new column beginning at line 6. These columns are coming from the PATIENT table. Note that there is a PATIENT_ID column on both tables, and so the table prefix on PATIENT_ID is required. There are three common types of joins. The basics of each kind of join is below. INNER JOIN - returns all rows where there is a match on both tables LEFT JOIN - returns all rows from the first table; will include matches from the second table if found RIGHT JOIN - returns all rows from the second table; will include matches from the first table if found

8 Let's make a simple test case to demonstrate the differences between each of the joins. Consider the data below. Employee Table PERSON_ID FIRST_NAME LAST_NAME DEPARTMENT_ID 1 Adam West 1 2 John Doe 1 3 Jane Doe 2 4 Ann Johnson NULL Department Table DEPARTMENT_ID DEPARTMENT_NAME 1 First floor 2 Second floor 3 Third floor Let's start with an INNER JOIN. SELECT * FROM EMPLOYEE INNER JOIN DEPARTMENT ON EMPLOYEE.DEPARTMENT_ID = DEPARTMENT.DEPARTMENT_ID INNER JOIN Results PERSON_ID FIRST_NAME LAST_NAME DEPARTMENT_ID DEPARTMENT_ID DEPARTMENT_NAME 1 Adam West 1 1 First floor 2 John Doe 1 1 First floor 3 Jane Doe 2 2 Second floor Note that the results are only those employees that had a matching department Id in the DEPARTMENT table. Next, we'll use the same query, but make it a LEFT JOIN. SELECT * FROM EMPLOYEE LEFT JOIN DEPARTMENT ON EMPLOYEE.DEPARTMENT_ID = DEPARTMENT.DEPARTMENT_ID LEFT JOIN Results PERSON_ID FIRST_NAME LAST_NAME DEPARTMENT_ID DEPARTMENT_ID DEPARTMENT_NAME 1 Adam West 1 1 First floor 2 John Doe 1 1 First floor 3 Jane Doe 2 2 Second floor 4 Ann Johnson NULL NULL NULL Note that all employees are returned. The employee, Ann Johnson, has NULL data in the department fields because she had no matching department. Finally, we'll do the query one last time with a RIGHT JOIN.

9 SELECT * FROM EMPLOYEE RIGHT JOIN DEPARTMENT ON EMPLOYEE.DEPARTMENT_ID = DEPARTMENT.DEPARTMENT_ID RIGHT JOIN Results PERSON_ID FIRST_NAME LAST_NAME DEPARTMENT_ID DEPARTMENT_ID DEPARTMENT_NAME 1 Adam West 1 1 First floor 2 John Doe 1 1 First floor 3 Jane Doe 2 2 Second floor NULL NULL NULL NULL 3 Third floor The results here are similar to the LEFT JOIN. However, this time the outcome is flipped so that all the rows from the DEPARTMENT are returned, even if there is no match. The use of RIGHT JOINs is very infrequent. Typically, a query would be re-written to a LEFT JOIN. In this case the query would use the DEPARTMENT table as the base of the query and LEFT JOIN to the EMPLOYEE table. A post by Jeff Atwood may help you to visualize each of the JOINs used above. Exporting Data to CSV The results of a query can be exported to a CSV file by right-clicking on the results and selecting Save Results As... Notice that the right-click occurs within any of the table cells, and not the tab or header columns. This will open a dialog to save the new file. Navigate in the explorer to the project folder, give the file a name, and click Save. This will create a CSV file of the data that can be opened in Excel. Ensure that the file is saved on the network to your request project folder. Do not save the file locally.

10 Advanced SQL Coming soon... Additional Resources w3schools: SQL Home Technet: Writing SQL Queries: Let's Start with the Basics

Advance Database Systems. Joining Concepts in Advanced SQL Lecture# 4

Advance Database Systems. Joining Concepts in Advanced SQL Lecture# 4 Advance Database Systems Joining Concepts in Advanced SQL Lecture# 4 Lecture 4: Joining Concepts in Advanced SQL Join Cross Join Inner Join Outer Join 3 Join 4 Join A SQL join clause combines records from

More information

IMPORTING DATA INTO EMPLOYEE TRAINING MANAGER

IMPORTING DATA INTO EMPLOYEE TRAINING MANAGER IMPORTING DATA INTO EMPLOYEE TRAINING MANAGER January 2018 Description This document describes how to import your employee, course and competency data into Employee Training Manager, a desktop software

More information

Graphical Joins in More Detail

Graphical Joins in More Detail Graphical Joins in More Detail Using the Connector, data is made available through the addition of containers and relevant expressions. The source of the underlying data can be a Table, a View, a Stored

More information

AHC IE Data Shelter User Guide

AHC IE Data Shelter User Guide AHC IE Data Shelter User Guide Click on the links to jump to sections: Pre-requisites Connecting PC Instructions: Login to Data Shelter MAC Instructions: Login to Data Shelter Connecting via Fairview Secure

More information

Microsoft Access 2010

Microsoft Access 2010 Microsoft Access 2010 Chapter 2 Querying a Database Objectives Create queries using Design view Include fields in the design grid Use text and numeric data in criteria Save a query and use the saved query

More information

Join (SQL) - Wikipedia, the free encyclopedia

Join (SQL) - Wikipedia, the free encyclopedia 페이지 1 / 7 Sample tables All subsequent explanations on join types in this article make use of the following two tables. The rows in these tables serve to illustrate the effect of different types of joins

More information

Microsoft Access 2013

Microsoft Access 2013 Microsoft Access 2013 Chapter 2 Querying a Database Objectives Create queries using Design view Include fields in the design grid Use text and numeric data in criteria Save a query and use the saved query

More information

Microsoft Access 2013

Microsoft Access 2013 Microsoft Access 2013 Chapter 2 Querying a Database Objectives Create queries using Design view Include fields in the design grid Use text and numeric data in criteria Save a query and use the saved query

More information

4.6.5 Data Sync User Manual.

4.6.5 Data Sync User Manual. 4.6.5 Data Sync User Manual www.badgepass.com Table of Contents Table of Contents... 2 Configuration Utility... 3 System Settings... 4 Profile Setup... 5 Setting up the Source Data... 6 Source Filters...

More information

Job Aid. Remote Access BAIRS Printing and Saving a Report. Table of Contents

Job Aid. Remote Access BAIRS Printing and Saving a Report. Table of Contents Remote Access BAIRS Printing and Saving a Report Table of Contents Remote Access BAIRS Printing a Report PDF HTML... 2 Remote Access BAIRS Printing a Report Export to PDF Interactive Reporting... 3 Remote

More information

9.4 Authentication Server

9.4 Authentication Server 9 Useful Utilities 9.4 Authentication Server The Authentication Server is a password and account management system for multiple GV-VMS. Through the Authentication Server, the administrator can create the

More information

Managing Your Database Using Oracle SQL Developer

Managing Your Database Using Oracle SQL Developer Page 1 of 54 Managing Your Database Using Oracle SQL Developer Purpose This tutorial introduces Oracle SQL Developer and shows you how to manage your database objects. Time to Complete Approximately 50

More information

Exploring Microsoft Office Access Chapter 2: Relational Databases and Multi-Table Queries

Exploring Microsoft Office Access Chapter 2: Relational Databases and Multi-Table Queries Exploring Microsoft Office Access 2010 Chapter 2: Relational Databases and Multi-Table Queries 1 Objectives Design data Create tables Understand table relationships Share data with Excel Establish table

More information

Polaris SQL Introduction. Michael Fields Central Library Consortium

Polaris SQL Introduction. Michael Fields Central Library Consortium Polaris SQL Introduction Michael Fields Central Library Consortium Topics Covered Connecting to your Polaris SQL server Basic SQL query syntax Frequently used Polaris tables Using your SQL queries inside

More information

Access Intermediate

Access Intermediate Access 2013 - Intermediate 103-134 Advanced Queries Quick Links Overview Pages AC124 AC125 Selecting Fields Pages AC125 AC128 AC129 AC131 AC238 Sorting Results Pages AC131 AC136 Specifying Criteria Pages

More information

The following instructions cover how to edit an existing report in IBM Cognos Analytics.

The following instructions cover how to edit an existing report in IBM Cognos Analytics. IBM Cognos Analytics Edit a Report The following instructions cover how to edit an existing report in IBM Cognos Analytics. Navigate to Cognos Cognos Analytics supports all browsers with the exception

More information

Retrieving Data Using the SQL SELECT Statement. Copyright 2009, Oracle. All rights reserved.

Retrieving Data Using the SQL SELECT Statement. Copyright 2009, Oracle. All rights reserved. Retrieving Data Using the SQL SELECT Statement Objectives After completing this lesson, you should be able to do the following: List the capabilities of SQL SELECT statements Execute a basic SELECT statement

More information

Access Intermediate

Access Intermediate Access 2010 - Intermediate 103-134 Advanced Queries Quick Links Overview Pages AC116 AC117 Selecting Fields Pages AC118 AC119 AC122 Sorting Results Pages AC125 AC126 Specifying Criteria Pages AC132 AC134

More information

Office 2016 Excel Basics 25 Video/Class Project #37 Excel Basics 25: Power Query (Get & Transform Data) to Convert Bad Data into Proper Data Set

Office 2016 Excel Basics 25 Video/Class Project #37 Excel Basics 25: Power Query (Get & Transform Data) to Convert Bad Data into Proper Data Set Office 2016 Excel Basics 25 Video/Class Project #37 Excel Basics 25: Power Query (Get & Transform Data) to Convert Bad Data into Proper Data Set Goal in video # 25: Learn about how to use the Get & Transform

More information

Create a personal geodatabase

Create a personal geodatabase Create a personal geodatabase To create a personal geodatabase that corresponds to the same release as the ArcGIS for Desktop client you are using, follow these steps: 1. In ArcCatalog, right-click the

More information

SharePoint 2010 Instructions for Users

SharePoint 2010 Instructions for Users SharePoint 2010 Instructions for Users 1. Access your SharePoint Web site...2 2. Work with folders and documents in a Shared Documents Library...3 2.1 Edit a document...3 2.2 Create a New Document...3

More information

User's Guide c-treeace SQL Explorer

User's Guide c-treeace SQL Explorer User's Guide c-treeace SQL Explorer Contents 1. c-treeace SQL Explorer... 4 1.1 Database Operations... 5 Add Existing Database... 6 Change Database... 7 Create User... 7 New Database... 8 Refresh... 8

More information

Administration. Training Guide. Infinite Visions Enterprise Edition phone toll free fax

Administration. Training Guide. Infinite Visions Enterprise Edition phone toll free fax Administration Training Guide Infinite Visions Enterprise Edition 406.252.4357 phone 1.800.247.1161 toll free 406.252.7705 fax www.csavisions.com Copyright 2005 2011 Windsor Management Group, LLC Revised:

More information

Griffin Training Manual Grif-WebI Introduction (For Analysts)

Griffin Training Manual Grif-WebI Introduction (For Analysts) Griffin Training Manual Grif-WebI Introduction (For Analysts) Alumni Relations and Development The University of Chicago Table of Contents Chapter 1: Defining WebIntelligence... 1 Chapter 2: Working with

More information

Workspace Administrator Help File

Workspace Administrator Help File Workspace Administrator Help File Table of Contents HotDocs Workspace Help File... 1 Getting Started with Workspace... 3 What is HotDocs Workspace?... 3 Getting Started with Workspace... 3 To access Workspace...

More information

A Practical Introduction to SAS Data Integration Studio

A Practical Introduction to SAS Data Integration Studio ABSTRACT A Practical Introduction to SAS Data Integration Studio Erik Larsen, Independent Consultant, Charleston, SC Frank Ferriola, Financial Risk Group, Cary, NC A useful and often overlooked tool which

More information

SAP BusinessObjects Live Office User Guide SAP BusinessObjects Business Intelligence platform 4.1 Support Package 2

SAP BusinessObjects Live Office User Guide SAP BusinessObjects Business Intelligence platform 4.1 Support Package 2 SAP BusinessObjects Live Office User Guide SAP BusinessObjects Business Intelligence platform 4.1 Support Package 2 Copyright 2013 SAP AG or an SAP affiliate company. All rights reserved. No part of this

More information

Ad Hoc Reports. 1. Click on Reports. 2. Select Ad Hoc Reports from the menu. 3. To start a new report, Click on the at the top of the screen.

Ad Hoc Reports. 1. Click on Reports. 2. Select Ad Hoc Reports from the menu. 3. To start a new report, Click on the at the top of the screen. Ad Hoc Reports Ad Hoc Reports give you the flexibility of creating a custom report on the fly with the functionality of exporting the data to a file. Ad Hoc Reports can be customized to show as many columns

More information

Retrieving Data Using the SQL SELECT Statement. Copyright 2004, Oracle. All rights reserved.

Retrieving Data Using the SQL SELECT Statement. Copyright 2004, Oracle. All rights reserved. Retrieving Data Using the SQL SELECT Statement Copyright 2004, Oracle. All rights reserved. Objectives After completing this lesson, you should be able to do the following: List the capabilities of SQL

More information

Perceptive Matching Engine

Perceptive Matching Engine Perceptive Matching Engine Advanced Design and Setup Guide Version: 1.0.x Written by: Product Development, R&D Date: January 2018 2018 Hyland Software, Inc. and its affiliates. Table of Contents Overview...

More information

HL7Spy 1.1 Getting Started

HL7Spy 1.1 Getting Started Inner Harbour Software HL7Spy 1.1 Getting Started Nov 14, 2009 DRAFT Main Areas of HL7Spy's User Interface The figure below shows the main areas of the HL7Spy user interface. The two main regions of the

More information

Instructor: Craig Duckett. Lecture 03: Tuesday, April 3, 2018 SQL Sorting, Aggregates and Joining Tables

Instructor: Craig Duckett. Lecture 03: Tuesday, April 3, 2018 SQL Sorting, Aggregates and Joining Tables Instructor: Craig Duckett Lecture 03: Tuesday, April 3, 2018 SQL Sorting, Aggregates and Joining Tables 1 Assignment 1 is due LECTURE 5, Tuesday, April 10 th, 2018 in StudentTracker by MIDNIGHT MID-TERM

More information

Enterprise Reporting -- APEX

Enterprise Reporting -- APEX Quick Reference Enterprise Reporting -- APEX This Quick Reference Guide documents Oracle Application Express (APEX) as it relates to Enterprise Reporting (ER). This is not an exhaustive APEX documentation

More information

View my bill online. User guide

View my bill online. User guide View my bill online User guide View my bill online With View My Bill Online, you can monitor the conferencing charges to your account anytime from anywhere. It s easier than ever to get the charge details

More information

Griffin Training Manual Grif-WebI Intermediate Class

Griffin Training Manual Grif-WebI Intermediate Class Griffin Training Manual Grif-WebI Intermediate Class Alumni Relations and Development The University of Chicago Table of Contents Chapter 1: Setting Up My Computer for Successful Use of the Grif-WebI

More information

By Scott Falla and Jamie Batiste 08/03/2010

By Scott Falla and Jamie Batiste 08/03/2010 ACUSOFT Query Builder Query Builder Help and SQL Syntax By Scott Falla and Jamie Batiste 08/03/2010 Query Builder help and syntax. Contents What Is Query Builder... 4 Introduction... 4 New Queries, Saving

More information

Part 2 Uploading and Working with WebCT's File Manager and Student Management INDEX

Part 2 Uploading and Working with WebCT's File Manager and Student Management INDEX Part 2 Uploading and Working with WebCT's File Manager and Student Management INDEX Uploading to and working with WebCT's File Manager... Page - 1 uploading files... Page - 3 My-Files... Page - 4 Unzipping

More information

SQL Server Reporting Services

SQL Server Reporting Services www.logicalimagination.com 800.657.1494 SQL Server Reporting Services Course #: SS-104 Duration: 3 days Prerequisites This course assumes no prior knowledge of SQL Server Reporting Services. This course

More information

Database Foundations. 6-4 Data Manipulation Language (DML) Copyright 2015, Oracle and/or its affiliates. All rights reserved.

Database Foundations. 6-4 Data Manipulation Language (DML) Copyright 2015, Oracle and/or its affiliates. All rights reserved. Database Foundations 6-4 Roadmap You are here Introduction to Oracle Application Express Structured Query Language (SQL) Data Definition Language (DDL) Data Manipulation Language (DML) Transaction Control

More information

Table of Contents. Revu ipad. v3.6. Navigation. Document Manager. File Access. Markups. Signature Tool. Field Verification Measurements

Table of Contents. Revu ipad. v3.6. Navigation. Document Manager. File Access. Markups. Signature Tool. Field Verification Measurements Table of Contents Navigation Document Manager File Access Markups Signature Tool Field Verification Measurements Editing Properties Tool Sets & the Tool Chest Markups List Forms Studio Sessions Studio

More information

City College of San Francisco Argos Training Documentation

City College of San Francisco Argos Training Documentation City College of San Francisco Argos Training Documentation Prepared by Edgar Coronel Strata Information Group Updated March 21, 2013 Contents Login into Argos... 2 Navigation Area... 3 Explorer view...

More information

Content-Based Assessments

Content-Based Assessments A and B skills GO! Fix it Project H Annual Dinner For Project H, you will need the following database: ah_annual_dinner Lastname_Firstname_H_Annual_Dinner Lastname_Firstname_H_Screens Lastname_Firstname_H_ACCDE

More information

MicroStrategy Desktop

MicroStrategy Desktop MicroStrategy Desktop Quick Start Guide MicroStrategy Desktop is designed to enable business professionals like you to explore data, simply and without needing direct support from IT. 1 Import data from

More information

New Perspectives on Access Module 5: Creating Advanced Queries and Enhancing Table Design

New Perspectives on Access Module 5: Creating Advanced Queries and Enhancing Table Design New Perspectives on Access 2016 Module 5: Creating Advanced Queries and Enhancing Table Design 1 Objectives Session 5.1 Review object naming standards Use the Like, In, Not, and & operators in queries

More information

sohodox Quick Start Guide

sohodox Quick Start Guide sohodox Quick Start Guide Starting Sohodox Click on Start > All Programs > Sohodox or double click Sohodox icon desktop to run Sohodox. Login as Superadmin. Username: superadmin Password: superadmin Sohodox

More information

Illinois Vital Records System Physician User Manual. Table of Contents

Illinois Vital Records System Physician User Manual. Table of Contents Table of Contents What is the Illinois Vital Records System?... 2 What will the Illinois Vital Records System do?... 2 What is the process to certify a death certificate?... 3 Who can use the Illinois

More information

SAS. Information Map Studio 3.1: Creating Your First Information Map

SAS. Information Map Studio 3.1: Creating Your First Information Map SAS Information Map Studio 3.1: Creating Your First Information Map The correct bibliographic citation for this manual is as follows: SAS Institute Inc. 2006. SAS Information Map Studio 3.1: Creating Your

More information

Troubleshooting the scheduled Patron XML Update v9.0, v9.5, and v9.8

Troubleshooting the scheduled Patron XML Update v9.0, v9.5, and v9.8 Troubleshooting the scheduled Patron XML Update v9.0, v9.5, and v9.8 The scheduled Patron XML Update process uses batch files and Windows scheduling to take a CSV file of patron data from the student management

More information

Release Notes Version 5.3.2

Release Notes Version 5.3.2 Release Notes Version 5.3.2 DICOMIZER, 18 March 2018 Summary Number Summary New features 523 Optical Density Measurement Tool for CT images 757 EDIT DICOM Object and IOCM 1005 Flip and Rotate tools 1365

More information

CRM CUSTOMER RELATIONSHIP MANAGEMENT

CRM CUSTOMER RELATIONSHIP MANAGEMENT CRM CUSTOMER RELATIONSHIP MANAGEMENT Customer Relationship Management is identifying, developing and retaining profitable customers to build lasting relationships and long-term financial success. The agrē

More information

Microsoft Excel 2007 Macros and VBA

Microsoft Excel 2007 Macros and VBA Microsoft Excel 2007 Macros and VBA With the introduction of Excel 2007 Microsoft made a number of changes to the way macros and VBA are approached. This document outlines these special features of Excel

More information

Join Queries in Cognos Analytics Reporting

Join Queries in Cognos Analytics Reporting Join Queries in Cognos Analytics Reporting Business Intelligence Cross-Join Error A join is a relationship between a field in one query and a field of the same data type in another query. If a report includes

More information

Three types of sub queries are supported in SQL are Scalar, Row and Table sub queries.

Three types of sub queries are supported in SQL are Scalar, Row and Table sub queries. SQL Sub-Queries What are Sub queries? SQL Sub queries are the queries which are embedded inside another query. The embedded queries are called as INNER query & container query is called as OUTER query.

More information

Introduction to Cognos

Introduction to Cognos Introduction to Cognos User Handbook 7800 E Orchard Road, Suite 280 Greenwood Village, CO 80111 Table of Contents... 3 Logging In To the Portal... 3 Understanding IBM Cognos Connection... 4 The IBM Cognos

More information

Learning Management System 2.0 User Information Guide

Learning Management System 2.0 User Information Guide Learning Management System 2.0 User Information Guide Version 2.0.2 January 22, 2015 0 Contents General info... 2 User Log In... 2 Home Page... 2 Classes... 3 List View... 3 Calendar View... 5 Class Details...

More information

TeleFlash. Internal Research Notes and Custom Data Publisher

TeleFlash. Internal Research Notes and Custom Data Publisher Telemet America, Inc. TeleFlash Internal Research Notes and Custom Data Publisher 800-368-2078 The TeleFlash publisher offers a quick and convenient way to share research notes, files or data produced

More information

PISCES Installation and Getting Started 1

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

More information

Test Information and Distribution Engine

Test Information and Distribution Engine SC-Alt Test Information and Distribution Engine User Guide 2018 2019 Published January 14, 2019 Prepared by the American Institutes for Research Descriptions of the operation of the Test Information Distribution

More information

Using DbVisualizer Variables

Using DbVisualizer Variables Using DbVisualizer Variables DbVisualizer variables are used to build parameterized SQL statements and let DbVisualizer prompt you for the values when the SQL is executed. This is handy if you are executing

More information

GUARDTOOL IMPORTER ADDENDUM

GUARDTOOL IMPORTER ADDENDUM EPI Suite 6.x GUARDTOOL IMPORTER ADDENDUM 1. Importing text files (*.txt,.csv) and Excel files (.xls) with the Jet Engine If the files that you want to import are in the list of the Jet Engine drivers

More information

Contents 1. OVERVIEW GUI Working with folders in Joini... 4

Contents 1. OVERVIEW GUI Working with folders in Joini... 4 Joini User Guide Contents 1. OVERVIEW... 3 1.1. GUI... 3 2. Working with folders in Joini... 4 2.1. Creating a new folder... 4 2.2. Deleting a folder... 5 2.3. Opening a folder... 5 2.4. Updating folder's

More information

If this is the first time you have run SSMS, I recommend setting up the startup options so that the environment is set up the way you want it.

If this is the first time you have run SSMS, I recommend setting up the startup options so that the environment is set up the way you want it. Page 1 of 5 Working with SQL Server Management Studio SQL Server Management Studio (SSMS) is the client tool you use to both develop T-SQL code and manage SQL Server. The purpose of this section is not

More information

STIDistrict Query (Basic)

STIDistrict Query (Basic) STIDistrict Query (Basic) Creating a Basic Query To create a basic query in the Query Builder, open the STIDistrict workstation and click on Utilities Query Builder. When the program opens, database objects

More information

Policy Commander Console Guide - Published February, 2012

Policy Commander Console Guide - Published February, 2012 Policy Commander Console Guide - Published February, 2012 This publication could include technical inaccuracies or typographical errors. Changes are periodically made to the information herein; these changes

More information

Perceptive Nolij Web. Administrator Guide. Version: 6.8.x

Perceptive Nolij Web. Administrator Guide. Version: 6.8.x Perceptive Nolij Web Administrator Guide Version: 6.8.x Written by: Product Knowledge, R&D Date: June 2018 Copyright 2014-2018 Hyland Software, Inc. and its affiliates.. Table of Contents Introduction...

More information

Microsoft Access 2010

Microsoft Access 2010 2013\2014 Microsoft Access 2010 Tamer Farkouh M i c r o s o f t A c c e s s 2 0 1 0 P a g e 1 Definitions Microsoft Access 2010 What is a database? A database is defined as an organized collection of data

More information

AUTOTEXT MASTER 1 PROGRAM HELP GILLMEISTER SOFTWARE.

AUTOTEXT MASTER 1 PROGRAM HELP GILLMEISTER SOFTWARE. AUTOTEXT MASTER 1 PROGRAM HELP GILLMEISTER SOFTWARE www.gillmeister-software.com 1 TABLE OF CONTENTS 1 Table of contents... 1 1. Start... 3 2 Main menu... 3 2.1 Menu entries of the group Main Menu... 3

More information

RETRIEVING DATA USING THE SQL SELECT STATEMENT

RETRIEVING DATA USING THE SQL SELECT STATEMENT RETRIEVING DATA USING THE SQL SELECT STATEMENT Course Objectives List the capabilities of SQL SELECT statements Execute a basic SELECT statement Development Environments for SQL Lesson Agenda Basic SELECT

More information

SQL Server. Management Studio. Chapter 3. In This Chapter. Management Studio. c Introduction to SQL Server

SQL Server. Management Studio. Chapter 3. In This Chapter. Management Studio. c Introduction to SQL Server Chapter 3 SQL Server Management Studio In This Chapter c Introduction to SQL Server Management Studio c Using SQL Server Management Studio with the Database Engine c Authoring Activities Using SQL Server

More information

Microsoft Access 2007 Module 2

Microsoft Access 2007 Module 2 Microsoft Access 007 Module http://pds.hccfl.edu/pds Microsoft Access 007: Module August 007 007 Hillsborough Community College - Professional Development and Web Services Hillsborough Community College

More information

JOHNS HOPKINS IT - SERVICE NOW USER TRAINING

JOHNS HOPKINS IT - SERVICE NOW USER TRAINING JOHNS HOPKINS IT - SERVICE NOW USER TRAINING TABLE OF CONTENTS 1. SYSTEM INTRODUCTION ACCESSING SERVICE NOW PAGE 1 2. NAVIGATION PANE ESSENTIALS PAGE 1 3. WHAT S NEW, WHAT S DIFFERENT PAGE 2 4. SEARCHING

More information

Contents Using the Primavera Cloud Service Administrator's Guide... 9 Web Browser Setup Tasks... 10

Contents Using the Primavera Cloud Service Administrator's Guide... 9 Web Browser Setup Tasks... 10 Cloud Service Administrator's Guide 15 R2 March 2016 Contents Using the Primavera Cloud Service Administrator's Guide... 9 Web Browser Setup Tasks... 10 Configuring Settings for Microsoft Internet Explorer...

More information

Retrieving Data Using the SQL SELECT Statement. Copyright 2004, Oracle. All rights reserved.

Retrieving Data Using the SQL SELECT Statement. Copyright 2004, Oracle. All rights reserved. Retrieving Data Using the SQL SELECT Statement Objectives After completing this lesson, you should be able to do the following: List the capabilities of SQL SELECT statements Execute a basic SELECT statement

More information

REPORTING Copyright Framework Private Equity Investment Data Management Ltd

REPORTING Copyright Framework Private Equity Investment Data Management Ltd REPORTING Copyright Framework Private Equity Investment Data Management Ltd - 2016 Table of Contents Standard Reports... 3 Standard Report Pack... 4 General Data Protection and Framework... 7 Partner Bank

More information

Junxure Code Upgrade Instructions

Junxure Code Upgrade Instructions Junxure Code Upgrade Instructions If at any time you run into an issue with the following process, call or email Junxure Support (866-586-9873, opt 1 or support@junxure.com) and we will assist you with

More information

Sage Estimating (SQL) v17.13

Sage Estimating (SQL) v17.13 Sage Estimating (SQL) v17.13 Sage 100 Contractor (SQL) Integration Guide December 2017 This is a publication of Sage Software, Inc. 2017 The Sage Group plc or its licensors. All rights reserved. Sage,

More information

Expense Management Asset Management

Expense Management Asset Management Expense Management Asset Management User Guide NEC NEC Corporation November 2010 NDA-31136, Revision 1 Liability Disclaimer NEC Corporation reserves the right to change the specifications, functions, or

More information

Order Entry. ARUP Connect

Order Entry. ARUP Connect ARUP Connect User Manual October 2017 Table of Contents Quick Steps... 4 To Enter an Order... 4 To Search for a Patient... 4 To Edit an Order... 5 Introduction... 6 To access Order Entry... 6 Feedback...

More information

Module 2: Managing Your Resources Lesson 5: Configuring System Settings and Properties Learn

Module 2: Managing Your Resources Lesson 5: Configuring System Settings and Properties Learn Module 2: Managing Your Resources Lesson 5: Configuring System Settings and Properties Learn Welcome to Module 2, Lesson 5. In this lesson, you will learn how to use the Administration Console to configure

More information

Solution Explorer Copy Items in a Solution Files That Manage Solutions and Projects Solutions (SQL Server Management Studio) Associate a Query with a

Solution Explorer Copy Items in a Solution Files That Manage Solutions and Projects Solutions (SQL Server Management Studio) Associate a Query with a Table of Contents Copy Items in a Solution Files That Manage Solutions and Projects Solutions (SQL Server Management Studio) Associate a Query with a Connection in a Project Projects (SQL Server Management

More information

ZENworks Reporting System Reference. January 2017

ZENworks Reporting System Reference. January 2017 ZENworks Reporting System Reference January 2017 Legal Notices For information about legal notices, trademarks, disclaimers, warranties, export and other use restrictions, U.S. Government rights, patent

More information

Microsoft Office 2016 Mail Merge

Microsoft Office 2016 Mail Merge Microsoft Office 2016 Mail Merge Mail Merge Components In order to understand how mail merge works you need to examine the elements involved in the process. In any mail merge, you'll deal with three different

More information

External Data Connector for SharePoint

External Data Connector for SharePoint External Data Connector for SharePoint Last Updated: July 2017 Copyright 2014-2017 Vyapin Software Systems Private Limited. All rights reserved. This document is being furnished by Vyapin Software Systems

More information

CollabNet Desktop - Microsoft Windows Edition

CollabNet Desktop - Microsoft Windows Edition CollabNet Desktop - Microsoft Windows Edition User Guide 2009 CollabNet Inc. CollabNet Desktop - Microsoft Windows Edition TOC 3 Contents Legal fine print...7 CollabNet, Inc. Trademark and Logos...7 Chapter

More information

Chapter 2 The SAS Environment

Chapter 2 The SAS Environment Chapter 2 The SAS Environment Abstract In this chapter, we begin to become familiar with the basic SAS working environment. We introduce the basic 3-screen layout, how to navigate the SAS Explorer window,

More information

To complete this database, you will need the following file:

To complete this database, you will need the following file: = CHAPTER 5 Access More Skills 13 Specify Relationship Join Types Database objects forms, queries, and reports display fields from related tables by matching the values between the fields common to both

More information

Microsoft Access 2003 Quick Tutorial

Microsoft Access 2003 Quick Tutorial 1 Starting Access: 1. If there is no Access shortcut on the desktop, select Start, then Programs, then Microsoft Office, and then Access. 2. When access is open select File and then click on Blank Database

More information

WebStudio User Guide. OpenL Tablets BRMS Release 5.18

WebStudio User Guide. OpenL Tablets BRMS Release 5.18 WebStudio User Guide OpenL Tablets BRMS Release 5.18 Document number: TP_OpenL_WS_UG_3.2_LSh Revised: 07-12-2017 OpenL Tablets Documentation is licensed under a Creative Commons Attribution 3.0 United

More information

Sample A2J Guided Interview & HotDocs Template Exercise

Sample A2J Guided Interview & HotDocs Template Exercise Sample A2J Guided Interview & HotDocs Template Exercise HotDocs Template We are going to create this template in HotDocs. You can find the Word document to start with here. Figure 1: Form to automate Converting

More information

Readme. HotDocs Developer Table of Contents. About This Version. About This Version. New Features and Enhancements

Readme. HotDocs Developer Table of Contents. About This Version. About This Version. New Features and Enhancements HotDocs Developer 11.0.4 Version 11.0.4 - January 2014 Copyright 2014 HotDocs Limited. All rights reserved. Table of Contents About This Version New Features and Enhancements Other changes from HotDocs

More information

Microsoft Office 2010: Introductory Q&As Access Chapter 2

Microsoft Office 2010: Introductory Q&As Access Chapter 2 Microsoft Office 2010: Introductory Q&As Access Chapter 2 Is it necessary to close the Navigation Pane? (AC 78) No. It gives you more room for the query, however, so it is usually a good practice to hide

More information

Introduction to Cognos Participants Guide. Table of Contents: Guided Instruction Overview of Welcome Screen 2

Introduction to Cognos Participants Guide. Table of Contents: Guided Instruction Overview of Welcome Screen 2 IBM Cognos Analytics Welcome to Introduction to Cognos! Today s objectives include: Gain a Basic Understanding of Cognos View a Report Modify a Report View a Dashboard Request Access to Cognos Table of

More information

SAS Data Integration Studio 3.3. User s Guide

SAS Data Integration Studio 3.3. User s Guide SAS Data Integration Studio 3.3 User s Guide The correct bibliographic citation for this manual is as follows: SAS Institute Inc. 2006. SAS Data Integration Studio 3.3: User s Guide. Cary, NC: SAS Institute

More information

Argos. Basic Training

Argos. Basic Training Argos Basic Training Student Information Systems Team 2-4-2019 Contents Overview... 2 Sign in... 2 Navigation... 3 Action Area... 3 Navigation Area... 4 Explorer View... 4 Shortcuts View... 6 Help... 9

More information

COGNOS Multiple Queries

COGNOS Multiple Queries COGNOS Multiple Queries In Cognos Report Studio, it is possible to include multiple queries on a report. In the Applicants report below, we will add a query for Admissions information. Page 1 of 21 Follow

More information

Introduction to Microsoft Access 2016

Introduction to Microsoft Access 2016 Introduction to Microsoft Access 2016 A database is a collection of information that is related. Access allows you to manage your information in one database file. Within Access there are four major objects:

More information

Ektron Advanced. Learning Objectives. Getting Started

Ektron Advanced. Learning Objectives. Getting Started Ektron Advanced 1 Learning Objectives This workshop introduces you beyond the basics of Ektron, the USF web content management system that is being used to modify department web pages. This workshop focuses

More information

Clinical Looking Glass Introductory Session In-Class Exercise Two: Congestive Heart Failure

Clinical Looking Glass Introductory Session In-Class Exercise Two: Congestive Heart Failure Clinical Looking Glass Introductory Session In-Class Exercise Two: Congestive Heart Failure Document Conventions Keyboard keys are identified by italics (Enter, Return) Most on-screen buttons are presented

More information

CenterStone. Release Notes. Manhattan Software Inc. World Leading Real Estate, Asset & Facilities Management Software. Version 4.

CenterStone. Release Notes. Manhattan Software Inc. World Leading Real Estate, Asset & Facilities Management Software. Version 4. Release Notes Version 4.31 SP1 Date December 2014 Manhattan Software Inc. World Leading Real Estate, Asset & Facilities Management Software The information contained herein is the property of Manhattan

More information

Web Intelligence Reporting Basics HTML Version

Web Intelligence Reporting Basics HTML Version Training Guide Web Intelligence Reporting Basics HTML Version 2 Web Intelligence Reporting Basics Appropriate Use and Security of Confidential and Sensitive Information Due to the integrated nature of

More information