Database Design Librarian Survey Database

Size: px
Start display at page:

Download "Database Design Librarian Survey Database"

Transcription

1 Database Design Librarian Survey Database BRANDON, MCKAY, AND MATSANGAISE A Report on the creation and implementation of a PostgreSQL database for accessing, querying, and analyzing data collected from Academic librarians working in Association of Research Library Member Institution libraries about their demographics, professional history, and scholarly communication practices.

2 Table of Contents Contents The Database Project 1 Database Environment 2 Information Flow Diagrams 3 User Profiles 4 Goals and Objectives 7 Database Profile 8 Sample SQL Queries 10

3 Pg. 01 The Database Project The Database Project Project Description The data in our database is supplied by a research project conducted in the spring of 2012 by a group of researchers in the Scholarly Communications class at SLIS who originally analyzed the data using unlinked spreadsheets. The data was collected using Google Forms from librarians at Academic ARL member institutions in the United States. Our goal was to make the data more usable by supplying new information about the conferences individual librarians attended, as well as providing a database for querying different types of relationships between types of librarians and the conferences they attend. In combination with the information retrieval interface created by the Web Programming class, this database will allow researchers to find new connections in the existing data. Project Members Melissa Brandon, Clinton McKay, Epaphras Matsangaise, each member of this group is responsible for additional data collection, as well as collaborating on the nature and function of the database, within our agreed upon guidelines.

4 Pg. 02 Database Environment Database Environment Client Profile Our client is the research team that compiled the data by administering the survey of Academic ARL member institution librarians. The client collected that data, met difficulties when trying to analyze it without a database, and asked that a database be created to facilitate searching for connections between different entities in the data set. The client also asked that the database and its data be made available online to users elsewhere so that researchers could query the data for information on their own research topics. The client will utilize the database in combination with the information retrieval interface created by the Web Programming class to further their research objectives.

5 Pg. 03 Information Flow Diagrams Explanation: Information Flow Diagrams This flow chart describes the process of gathering data from librarians by creating the survey and distributing it to them via to member librarians at Academic Association of Research Libraries Member Libraries.

6 Pg. 04 User Profiles Improvements: -With a database solution as opposed to a spreadsheet, the client will be able to query multiple fields at once whereas before the client was only capable of sorting a single column to find correlations (more powerful searching) -With a database solution, irrelevant answers can be excluded from query results allowing for faster processing of information -Since information processing is faster, the question and answer cycle depicted in the analysis flow diagram will be much faster.

7 Pg. 05 User Profiles User Profiles Project Leader This user is a member of the original research team that collected the data. The Project Leader participates in data analysis but also makes decisions about changes to the content and structure of the database as more information is collected and is in charge of granting permissions for external researchers to access the database online. The Project Leader will work closely with the Database Administrator. Decisions about corrections to the data and dealing with inconsistencies in the data will be made by the Project Leader. This user will also be the primary contributor to the publication for which this survey and database were designed; they will also be primarily responsible for the accuracy of the data. The Project Leader has strong to excellent proficiency in database use and online searching. Internal Researchers These researchers are members of the original research team that collected the data. They have more access than external researchers because they are in direct contact with the Project Leader. Working under the direction of the Project Leader, internal researchers will continue to design and administer surveys to expand the database. The internal researchers will also be contributors to the publication for which this survey and database were designed. Internal researchers have moderate to strong proficiency in database use and online searching.

8 Pg. 06 User Profiles External Researchers These researchers are not members of the original research team that collected the data. They have been granted access to the database by the Project Leader. Their use of the database is contingent upon their adherence to the policies put in place by the Project Leader. These users will have less access to the data than internal researchers as they are not in direct contact with the Project Leader on a daily basis. External researchers are expected to have at least moderate proficiency in database use and online searching.

9 Pg. 07 Goals and Objectives Goals and Objectives Members of the original research team (the Project Leader and internal researchers) are the primary clients and users of the database. They will use the database to further their research goals and synthesize new information from the large dataset. They will also work with the Database Administrator to enter new information into the database in the future. Client/User Goals Be able to store and access the data collected from survey respondents and other sources Answers to questions about demographics, research practices, publication practices, institutional repositories, emerging technology, and professional conference attendance Supplemental data collected from online sources Query the data based on multiple parameters Be able to make the data and the database accessible to external researchers Database Goals Provide more powerful searching capabilities than are possible with spreadsheet data Make it possible for the researchers to share their data with an unlimited number of external researchers and distribute updates seamlessly

10 Pg. 08 Database Profile Database Profile Business Rules Each respondent has between zero and many attendances; each attendance is had by one and only one respondent. Each conference has between one and many attendances; each attendance occurs at one and only one conference. Each conference has one primary topic; each primary topic is had by between one and many conferences. Each conference has one primary sponsor; each primary sponsor sponsors between one and many conferences. Entity Relationship Diagram

11 Pg. 09 Database Profile Data Dictionary

12 Pg. 10 Sample SQL Queries Sample SQL Queries 1) View only the survey responses from male librarians who reported attending the ALA conference in the past 5 years. SELECT * FROM surveyanswers JOIN attendance ON attendance.respondent_id = surveyanswers.id JOIN confsponsor ON confsponsor.id = conference.sponsor_id JOIN conftopic ON conftopic.id = conference.topic_id WHERE surveyanswers.q3 = 'Male' AND attendance.conf_id = 5 2) Show the number of attendances reported to each of the conferences and the names of the conferences, order by number of attendances (highest to lowest). SELECT COUNT(attendance.conf_id), conference.name FROM attendance GROUP BY conference.name, attendance.conf_id ORDER BY COUNT(attendance.conf_id) DESC 3) Show the survey responses of librarians who attended any of the top 5 most attended conferences. SELECT * FROM surveyanswers JOIN attendance ON attendance.respondent_id = surveyanswers.id JOIN confsponsor ON confsponsor.id = conference.sponsor_id JOIN conftopic ON conftopic.id = conference.topic_id WHERE conference.name IN (SELECT conference.name FROM attendance GROUP BY conference.name, attendance.conf_id ORDER BY COUNT(attendance.conf_id) DESC LIMIT 5)

13 Pg. 11 Sample SQL Queries 4) Show only the survey responses from librarians who reported the year they began working in academic libraries, order by the year they reported beginning their career in academic libraries. SELECT * FROM surveyanswers WHERE surveyanswers.q6 > 0 ORDER BY surveyanswers.q6 ASC 5) Show the names of conferences that were attended by librarians who reported using Blogs. SELECT DISTINCT conference.name FROM surveyanswers JOIN attendance ON attendance.respondent_id = surveyanswers.id JOIN confsponsor ON confsponsor.id = conference.sponsor_id JOIN conftopic ON conftopic.id = conference.topic_id WHERE surveyanswers.q7 LIKE '%Blogs%' 6) Show a list of the conferences attended by librarians who reported having Doctoral degrees. SELECT DISTINCT conference.name FROM surveyanswers JOIN attendance ON attendance.respondent_id = surveyanswers.id JOIN confsponsor ON confsponsor.id = conference.sponsor_id JOIN conftopic ON conftopic.id = conference.topic_id WHERE surveyanswers.q2 LIKE '%Doctoral%'

14 Pg. 12 Sample SQL Queries 7) Create a view of all conference attendances reported by librarians who also reported having an MLS/MIS/MLIS degree, then show how many librarians who reported having an MIS degree went to each conference: CREATE VIEW Master_Attendances AS SELECT * FROM attendance WHERE attendance.respondent_id IN ( SELECT surveyanswers.id FROM surveyanswers JOIN attendance ON attendance.respondent_id = surveyanswers.id JOIN confsponsor ON confsponsor.id = conference.sponsor_id JOIN conftopic ON conftopic.id = conference.topic_id WHERE surveyanswers.q2 LIKE '%M.L.S./M.I.S./M.L.I.S.%' ) SELECT COUNT(DISTINCT Master_Attendances.conf_id), conference.name FROM Master_Attendances JOIN attendance ON attendance.respondent_id = Master_Attendances.respondent_id GROUP BY conference.name, attendance.conf_id ORDER BY COUNT(attendance.conf_id) DESC

15 Pg. 13 Sample SQL Queries 8) Show the number of librarians reporting to have Doctoral degrees. SELECT COUNT(DISTINCT surveyanswers.id) AS "Number of respondents reporting to have Doctoral degrees" FROM surveyanswers WHERE surveyanswers.q2 LIKE '%Doctoral%' 9) Show a list of the conferences attended by respondents who report reading professional publications on a daily basis. SELECT DISTINCT conference.name FROM surveyanswers JOIN attendance ON attendance.respondent_id = surveyanswers.id JOIN confsponsor ON confsponsor.id = conference.sponsor_id JOIN conftopic ON conftopic.id = conference.topic_id WHERE surveyanswers.q10 LIKE '%Daily%' ORDER BY conference.name 10) Show a list of the conferences attended by respondents who report that their institutions do not offer support for attending professional conferences. SELECT DISTINCT conference.name FROM surveyanswers JOIN attendance ON attendance.respondent_id = surveyanswers.id JOIN confsponsor ON confsponsor.id = conference.sponsor_id JOIN conftopic ON conftopic.id = conference.topic_id WHERE surveyanswers.q21 LIKE '%No%' ORDER BY conference.name

Research Data Management Training for Support Staff

Research Data Management Training for Support Staff Research Data Management Training for Support Staff A DaMaRO Project Survey Meriel Patrick (DaMaRO Project), Dorothy Byatt (DataPool Project), Federico De Luca (DataPool Project), Wendy White (DataPool

More information

QUALITY CLINICAL PRACTICE DATA ANALYST SERIES

QUALITY CLINICAL PRACTICE DATA ANALYST SERIES QUALITY CLINICAL PRACTICE DATA ANALYST SERIES Code No. Class Title Area Area Period Date Action 4966 Clinical Practice Data Analyst 03 441 6 mo. 11/15/13 New 4967 Clinical Practice Data Analyst Specialist

More information

Scholarship, Leadership and Practice: The Post-Secondary Educator s Role in. Developing Information Literacy in Students. Alicia Peters, MA, MBA, BSN

Scholarship, Leadership and Practice: The Post-Secondary Educator s Role in. Developing Information Literacy in Students. Alicia Peters, MA, MBA, BSN The Post-Secondary Educators Role in Information Literacy p. 1 Scholarship, Leadership and Practice: The Post-Secondary Educator s Role in Developing Information Literacy in Students Alicia Peters, MA,

More information

Information and Technology Literacy Framework. PreK-12

Information and Technology Literacy Framework. PreK-12 Information and Technology Literacy Framework PreK-12 Approved January 2006 Introduction to the Information and Technology Literacy Framework Background Information In 1998, the State Department of Education

More information

Welcome to the Data Analytics Toolkit PowerPoint presentation on EHR architecture and meaningful use.

Welcome to the Data Analytics Toolkit PowerPoint presentation on EHR architecture and meaningful use. Welcome to the Data Analytics Toolkit PowerPoint presentation on EHR architecture and meaningful use. When data is collected and entered into the electronic health record, the data is ultimately stored

More information

Basics on Geodatabases

Basics on Geodatabases Basics on Geodatabases 1 GIS Data Management 2 File and Folder System A storage system which uses the default file and folder structure found in operating systems. Uses the non-db formats we mentioned

More information

Arkansas State Unified Plan Workforce Investment Act of 1998. L. Data Collection

Arkansas State Unified Plan Workforce Investment Act of 1998. L. Data Collection L. Data Collection The Workforce Information Act of 1998 requires all programs included in the Arkansas State Unified Plan to provide services, collect data, and report on those services across all programs.

More information

Transforming BI Activities Into an IL Program: Challenges and Opportunities

Transforming BI Activities Into an IL Program: Challenges and Opportunities 226 Transforming BI Activities Into an IL Program: Challenges and Opportunities Introduction A core goal of an academic library s mission is to teach students the skills and knowledge they need to be lifelong

More information

Intro: Call for Proposals Project Description

Intro: Call for Proposals Project Description Intro: Call for Proposals The American Institute of Architecture San Francisco s Equity by Design Committee requests the submission of proposals to provide research and analysis services for the 2016 Equity

More information

Business Intelligence Engineer Position Description

Business Intelligence Engineer Position Description Business Intelligence Position Description February 9, 2015 Position Description February 9, 2015 Page i Table of Contents General Characteristics... 1 Career Path... 2 Explanation of Proficiency Level

More information

Database Management. Technology Briefing. Modern organizations are said to be drowning in data but starving for information p.

Database Management. Technology Briefing. Modern organizations are said to be drowning in data but starving for information p. Technology Briefing Database Management Modern organizations are said to be drowning in data but starving for information p. 509 TB3-1 Learning Objectives TB3-2 Learning Objectives TB3-3 Database Management

More information

2014 New Jersey Core Curriculum Content Standards - Technology

2014 New Jersey Core Curriculum Content Standards - Technology 2014 New Jersey Core Curriculum Content s - Technology Content Area Grade Content Statement Students will: Technology A. Technology Operations and Concepts: Students demonstrate a sound understanding of

More information

HR Support Services Labor Categories. Attachment D

HR Support Services Labor Categories. Attachment D Administrative Assistant: This position performs general administrative and clerical duties necessary to meet needs of the division or program area, and assumes responsibility for other duties based on

More information

MS 50547B Microsoft SharePoint 2010 Collection and Site Administration

MS 50547B Microsoft SharePoint 2010 Collection and Site Administration MS 50547B Microsoft SharePoint 2010 Collection and Site Administration Description: Days: 5 Prerequisites: This five-day instructor-led Site Collection and Site Administrator course gives students who

More information

Database Dictionary. Provided by GeekGirls.com

Database Dictionary. Provided by GeekGirls.com Database Dictionary Provided by GeekGirls.com http://www.geekgirls.com/database_dictionary.htm database: A collection of related information stored in a structured format. Database is sometimes used interchangeably

More information

SLIS Module 1: Getting Started

SLIS Module 1: Getting Started SLIS Module 1: Getting Started 1. To begin, we ll go to the subject guide created for Library and Information Science Students. These subject guides are also known as LibGuides. 2. In the Library and Information

More information

Keywords Big Data; OODBMS; RDBMS; hadoop; EDM; learning analytics, data abundance.

Keywords Big Data; OODBMS; RDBMS; hadoop; EDM; learning analytics, data abundance. Volume 4, Issue 11, November 2014 ISSN: 2277 128X International Journal of Advanced Research in Computer Science and Software Engineering Research Paper Available online at: www.ijarcsse.com Analytics

More information

Adam Rauch Partner, LabKey Software adam@labkey.com. Extending LabKey Server Part 1: Retrieving and Presenting Data

Adam Rauch Partner, LabKey Software adam@labkey.com. Extending LabKey Server Part 1: Retrieving and Presenting Data Adam Rauch Partner, LabKey Software adam@labkey.com Extending LabKey Server Part 1: Retrieving and Presenting Data Extending LabKey Server LabKey Server is a large system that combines an extensive set

More information

NSTL Final Report. Defragmentation Performance Testing

NSTL Final Report. Defragmentation Performance Testing NSTL Final Report Defragmentation Performance Testing June, 1999 EXECUTIVE SUMMARY NSTL is the leading independent hardware and software testing organization in the microcomputer industry, dedicated to

More information

Agile Business Suite: a 4GL environment for.net developers DEVELOPMENT, MAINTENANCE AND DEPLOYMENT OF LARGE, COMPLEX BACK-OFFICE APPLICATIONS

Agile Business Suite: a 4GL environment for.net developers DEVELOPMENT, MAINTENANCE AND DEPLOYMENT OF LARGE, COMPLEX BACK-OFFICE APPLICATIONS Agile Business Suite: a 4GL environment for.net developers DEVELOPMENT, MAINTENANCE AND DEPLOYMENT OF LARGE, COMPLEX BACK-OFFICE APPLICATIONS In order to ease the burden of application lifecycle management,

More information

How easy was it to get information about the college? Did the range of courses appeal to you? Post-entry Survey Summary Report by FE,HE Charts FE HE

How easy was it to get information about the college? Did the range of courses appeal to you? Post-entry Survey Summary Report by FE,HE Charts FE HE Post-entry Survey Summary Report by, Charts 1400 1200 1000 800 600 400 Grand total 200 0 Female Male Female Male Female Male How easy was it to get information about the college? Did the range of courses

More information

How To Use The College Learning Assessment (Cla) To Plan A College

How To Use The College Learning Assessment (Cla) To Plan A College Using the Collegiate Learning Assessment (CLA) to Inform Campus Planning Anne L. Hafner University Assessment Coordinator CSULA April 2007 1 Using the Collegiate Learning Assessment (CLA) to Inform Campus

More information

CHAPTER 2 DATABASE MANAGEMENT SYSTEM AND SECURITY

CHAPTER 2 DATABASE MANAGEMENT SYSTEM AND SECURITY CHAPTER 2 DATABASE MANAGEMENT SYSTEM AND SECURITY 2.1 Introduction In this chapter, I am going to introduce Database Management Systems (DBMS) and the Structured Query Language (SQL), its syntax and usage.

More information

Promoting Your Location Platform

Promoting Your Location Platform Promoting Your Location Platform A Change Management Kit www.esri.com/changekit Publication Date: November 23, 2015 Esri: Promoting Your Location Platform 1 What is the Change Management Kit? The launch

More information

Masters in Economics. Library Module 1 24 th Sept 2010. Lorraine Foster, Liaison Librarian Lorraine.foster@ucd.ie

Masters in Economics. Library Module 1 24 th Sept 2010. Lorraine Foster, Liaison Librarian Lorraine.foster@ucd.ie Masters in Economics Library Module 1 24 th Sept 2010 Lorraine Foster, Liaison Librarian Lorraine.foster@ucd.ie Topics: Library Website: Alcid Card, Study Rooms, Subject Portals, Endnote Theses: UCD, Irish,

More information

Geography 676 Web Spatial Database Development and Programming

Geography 676 Web Spatial Database Development and Programming Geography 676 Web Spatial Database Development and Programming Instructor: Prof. Qunying Huang Office: 426 Science Hall Tel: 608-890-4946 E-mail: qhuang46@wisc.edu Office Hours: T, R, and F 1:00-2:00 PM

More information

Using Multiple Operations. Implementing Table Operations Using Structured Query Language (SQL)

Using Multiple Operations. Implementing Table Operations Using Structured Query Language (SQL) Copyright 2000-2001, University of Washington Using Multiple Operations Implementing Table Operations Using Structured Query Language (SQL) The implementation of table operations in relational database

More information

Data Management Implementation Plan

Data Management Implementation Plan Appendix 8.H Data Management Implementation Plan Prepared by Vikram Vyas CRESP-Amchitka Data Management Component 1. INTRODUCTION... 2 1.1. OBJECTIVES AND SCOPE... 2 2. DATA REPORTING CONVENTIONS... 2

More information

SQL - QUICK GUIDE. Allows users to access data in relational database management systems.

SQL - QUICK GUIDE. Allows users to access data in relational database management systems. http://www.tutorialspoint.com/sql/sql-quick-guide.htm SQL - QUICK GUIDE Copyright tutorialspoint.com What is SQL? SQL is Structured Query Language, which is a computer language for storing, manipulating

More information

BUSINESS SUPPORT OFFICER (FA TECHNICAL) COMPETENCY FUNCTION : BSO3

BUSINESS SUPPORT OFFICER (FA TECHNICAL) COMPETENCY FUNCTION : BSO3 BUSINESS SUPPORT OFFICER (FA TECHNICAL) JOB DESCRIPTION COMPETENCY FUNCTION : BSO3 MAIN ACCOUNTABILITIES PRIMARY JOB Accountable to one of the FA Technical Group (FATG) managers for providing support to

More information

How to Use the Oklahoma Data Query System

How to Use the Oklahoma Data Query System How to Use the Oklahoma Data Query System The State Epidemiological Outcomes Workgroup s (SEOW) Oklahoma Data Query System website provides users with a relatively simple to use data viewing and download

More information

Predictive Analytics in Workplace Safety:

Predictive Analytics in Workplace Safety: Predictive Analytics in Workplace Safety: Four Safety Truths that Reduce Workplace Injuries A Predictive Solutions White Paper Many industries and business functions are taking advantage of their big data

More information

Business Information Management I

Business Information Management I Business Information Management I Texas 130.114 This document describes the correlation between curriculum, supplied by Applied Educational Systems, and the Business Information Management I standard,

More information

DOUGLAS COUNTY SCHOOL DISTRICT Human Resources Insurance Benefits Coordinator

DOUGLAS COUNTY SCHOOL DISTRICT Human Resources Insurance Benefits Coordinator DOUGLAS COUNTY SCHOOL DISTRICT Human Resources Insurance Benefits Coordinator FUNCTION Performs technical and clerical support work of moderate difficulty with accuracy, thoroughness and timeliness. Required

More information

Column 3: Pre and post- tests were given in spring 2010.

Column 3: Pre and post- tests were given in spring 2010. Counseling SLOs and Assessment for 2010-2011 Counseling Division SLO I. Provide first- time Golden West College students through an online- orientation the services and program information necessary to

More information

Microsoft SharePoint 2010 Site Collection and Site Administration Course 50547A; 5 Days, Instructor-led

Microsoft SharePoint 2010 Site Collection and Site Administration Course 50547A; 5 Days, Instructor-led Lincoln Land Community College Capital City Training Center 130 West Mason Springfield, IL 62702 217-782-7436 www.llcc.edu/cctc Microsoft SharePoint 2010 Site Collection and Site Administration Course

More information

JOB DESCRIPTION. Contract Management and Business Intelligence

JOB DESCRIPTION. Contract Management and Business Intelligence JOB DESCRIPTION DIRECTORATE: DEPARTMENT: JOB TITLE: Contract Management and Business Intelligence Business Intelligence Business Insight Manager BAND: 7 BASE: REPORTS TO: Various Business Intelligence

More information

Combined Curriculum Document Technology High School

Combined Curriculum Document Technology High School Big Idea: Information, Communication and Productivity High School Students demonstrate a sound understanding of the nature and operations of technology systems. Students use technology to learn, to communicate,

More information

Technology in Action. Alan Evans Kendall Martin Mary Anne Poatsy. Eleventh Edition. Copyright 2015 Pearson Education, Inc.

Technology in Action. Alan Evans Kendall Martin Mary Anne Poatsy. Eleventh Edition. Copyright 2015 Pearson Education, Inc. Copyright 2015 Pearson Education, Inc. Technology in Action Alan Evans Kendall Martin Mary Anne Poatsy Eleventh Edition Copyright 2015 Pearson Education, Inc. Technology in Action Chapter 9 Behind the

More information

Carl Perkins IV State Report

Carl Perkins IV State Report CARL PERKINS IV STATE For REPORT: inquiries, POST-SECONDARY please SCHOOLS contact AND STUDENTS PRES Associates at: 1 info@presassociates.com (307) 733-3255 Wyoming State Department of Education Carl Perkins

More information

The RIDE Request Interview and Answer Designer

The RIDE Request Interview and Answer Designer Solicitation Information March 26, 2015 Addendum #1 RFP #7549370 TITLE: SCHOOL DISTRICT FINANCIAL DATA VISUALIZATION TOOL SUBMISSION DEADLINE: APRIL 3, 2015 AT 3:00 PM (ET) PLEASE NOTE THAT THE SUBMISSION

More information

Carl Perkins IV State Report

Carl Perkins IV State Report CARL PERKINS IV STATE For REPORT: inquiries, POST-SECONDARY please SCHOOLS contact AND STUDENTS PRES Associates at: 1 info@presassociates.com (307) 733-3255 Wyoming State Department of Education Carl Perkins

More information

LIBRARY SERIES. Promotional Line: 362

LIBRARY SERIES. Promotional Line: 362 LIBRARY SERIES Occ. Work Prob. Effective Last Code Spec. Class Title Area Area Period Date Action 4900 Library Clerk 04 591 6 mo. 6/15/15 Rev. 4901 Library Assistant 04 591 6 mo. 6/15/15 Rev. 4902 Library

More information

Sisense. Product Highlights. www.sisense.com

Sisense. Product Highlights. www.sisense.com Sisense Product Highlights Introduction Sisense is a business intelligence solution that simplifies analytics for complex data by offering an end-to-end platform that lets users easily prepare and analyze

More information

Executive Summary WHO SHOULD READ THIS PAPER?

Executive Summary WHO SHOULD READ THIS PAPER? The Business Value of Business Intelligence in SharePoint 2010 Executive Summary SharePoint 2010 is The Business Collaboration Platform for the Enterprise & the Web that enables you to connect & empower

More information

VBA and Databases (see Chapter 14 )

VBA and Databases (see Chapter 14 ) VBA and Databases (see Chapter 14 ) Kipp Martin February 29, 2012 Lecture Files Files for this module: retailersql.m retailer.accdb Outline 3 Motivation Modern Database Systems SQL Bringing Data Into MATLAB/Excel

More information

Integrating Big Data into the Computing Curricula

Integrating Big Data into the Computing Curricula Integrating Big Data into the Computing Curricula Yasin Silva, Suzanne Dietrich, Jason Reed, Lisa Tsosie Arizona State University http://www.public.asu.edu/~ynsilva/ibigdata/ 1 Overview Motivation Big

More information

Updating the International Standard Classification of Occupations (ISCO) Draft ISCO-08 Group Definitions: Occupations in Secretarial and Reception

Updating the International Standard Classification of Occupations (ISCO) Draft ISCO-08 Group Definitions: Occupations in Secretarial and Reception International Labour Organization Organisation internationale du Travail Organización Internacional del Trabajo Updating the International Standard Classification of Occupations (ISCO) Draft ISCO-08 Group

More information

RHIT Competency Review

RHIT Competency Review COURSE SYLLABUS HITT 2149.200 (1:1:0) RHIT Competency Review Health Information Technology Allied Health Department Technical Education Division South Plains College Reese Center Spring 2012 COURSE SYLLABUS

More information

Database Design for the non- technical researcher. University of Illinois Library

Database Design for the non- technical researcher. University of Illinois Library Database Design for the non- technical researcher University of Illinois Library Eric Johnson - 2012 Goals for today Learn how databases are structured Learn to organize data into tables Learn basic SQL

More information

Assessing the effectiveness of medical therapies finding the right research for each patient: Medical Evidence Matters

Assessing the effectiveness of medical therapies finding the right research for each patient: Medical Evidence Matters Title Assessing the effectiveness of medical therapies finding the right research for each patient: Medical Evidence Matters Presenter / author Roger Tritton Director, Product Management, Dialog (A ProQuest

More information

Interactive Application Security Testing (IAST)

Interactive Application Security Testing (IAST) WHITEPAPER Interactive Application Security Testing (IAST) The World s Fastest Application Security Software Software affects virtually every aspect of an individual s finances, safety, government, communication,

More information

The role of business intelligence in knowledge sharing: a Case Study at Al-Hikma Pharmaceutical Manufacturing Company

The role of business intelligence in knowledge sharing: a Case Study at Al-Hikma Pharmaceutical Manufacturing Company The role of business intelligence in knowledge sharing: a Case Study at Al-Hikma Pharmaceutical Manufacturing Company Samer Barakat 1* Hasan Ali Al-Zu bi 2 Hanadi Al-Zegaier 3 1. Management Information

More information

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

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

More information

JEFFERSON COLLEGE COURSE SYLLABUS CIS-236 SQL AND DATABASE DESIGN. 3 Credit Hours. Prepared by: Chris DeGeare CIS Instructor. Revised: 3/11/2013

JEFFERSON COLLEGE COURSE SYLLABUS CIS-236 SQL AND DATABASE DESIGN. 3 Credit Hours. Prepared by: Chris DeGeare CIS Instructor. Revised: 3/11/2013 JEFFERSON COLLEGE COURSE SYLLABUS CIS-236 SQL AND DATABASE DESIGN 3 Credit Hours Prepared by: Chris DeGeare CIS Instructor Revised: 3/11/2013 Dr. Mary Beth Ottinger, Division Chair, Business & Technical

More information

Six Sigma Project Charter

Six Sigma Project Charter rev 12 Six Sigma Project Charter Name of project: An Examination of Cohort Default Rates: A Causal Analysis for Prevention Green belt: Jennifer Howells Submitted by: Jennifer Howells e-mail: jhowells@purdue.edu

More information

Tableau Visual Intelligence Platform Rapid Fire Analytics for Everyone Everywhere

Tableau Visual Intelligence Platform Rapid Fire Analytics for Everyone Everywhere Tableau Visual Intelligence Platform Rapid Fire Analytics for Everyone Everywhere Agenda 1. Introductions & Objectives 2. Tableau Overview 3. Tableau Products 4. Tableau Architecture 5. Why Tableau? 6.

More information

Simple Rules to Remember When Working with Indexes Kirk Paul Lafler, Software Intelligence Corporation, Spring Valley, California

Simple Rules to Remember When Working with Indexes Kirk Paul Lafler, Software Intelligence Corporation, Spring Valley, California Simple Rules to Remember When Working with Indexes Kirk Paul Lafler, Software Intelligence Corporation, Spring Valley, California Abstract SAS users are always interested in learning techniques related

More information

Do you know? "7 Practices" for a Reliable Requirements Management. by Software Process Engineering Inc. translated by Sparx Systems Japan Co., Ltd.

Do you know? 7 Practices for a Reliable Requirements Management. by Software Process Engineering Inc. translated by Sparx Systems Japan Co., Ltd. Do you know? "7 Practices" for a Reliable Requirements Management by Software Process Engineering Inc. translated by Sparx Systems Japan Co., Ltd. In this white paper, we focus on the "Requirements Management,"

More information

Title: Student's Affairs Officer. Fax Number: 787 764-2311 Email Address: migdalia.davila@upr.edu

Title: Student's Affairs Officer. Fax Number: 787 764-2311 Email Address: migdalia.davila@upr.edu If questions arise in completing this part of the questionnaire, or if you have comments on its content, please contact ALISE at: Association for Library Science Education (ALISE) 65 East Wacker Place,

More information

SmartTouch Version 2.5 Release Notes

SmartTouch Version 2.5 Release Notes SmartTouch Version 2.5 Release Notes Table of Contents Speed... 3 Enhanced User Interface... 3 Performance & Usability Enhancements... 3 Quick Links... 3 Ease... 4 Additional Quick Search Options... 4

More information

STUDENT SATISFACTION REPORT (STUDENT OPINION SURVEY) SPRING

STUDENT SATISFACTION REPORT (STUDENT OPINION SURVEY) SPRING STUDENT SATISFACTION REPORT (STUDENT OPINION SURVEY) SPRING 2008 LANE COLLEGE Prepared by: The Office of Institutional Research & Effectiveness October 28, 2008 Executive Summary Lane College 2008 Student

More information

Webb s Depth of Knowledge Guide

Webb s Depth of Knowledge Guide Webb Webb s Depth of Knowledge Guide Career and Technical Education Definitions 2009 1 H T T P : / / WWW. MDE. K 12.MS. US H T T P : / / R E D E S I G N. R C U. M S S T A T E. EDU 2 TABLE OF CONTENTS Overview...

More information

CDW DATA QUALITY INITIATIVE

CDW DATA QUALITY INITIATIVE Loading Metadata to the IRS Compliance Data Warehouse (CDW) Website: From Spreadsheet to Database Using SAS Macros and PROC SQL Robin Rappaport, IRS Office of Research, Washington, DC Jeff Butler, IRS

More information

Lost in Space? Methodology for a Guided Drill-Through Analysis Out of the Wormhole

Lost in Space? Methodology for a Guided Drill-Through Analysis Out of the Wormhole Paper BB-01 Lost in Space? Methodology for a Guided Drill-Through Analysis Out of the Wormhole ABSTRACT Stephen Overton, Overton Technologies, LLC, Raleigh, NC Business information can be consumed many

More information

Predictive Models for Student Success

Predictive Models for Student Success Predictive Models for Student Success 5/21/212 Joe DeHart Des Moines Area Community College May 212 Purpose Des Moines Area Community College (DMACC) is currently implementing various changes to improve

More information

Michigan High School Media Specialists Drive MeL Usage and Student Success. Case Study

Michigan High School Media Specialists Drive MeL Usage and Student Success. Case Study Case Study From left: Karen Villegas, Media Specialist at Grosse Pointe North High School; Courtney McGuire, Media Specialist at Grosse Pointe South High School; Carrie Conner, Media Specialist at Oxford

More information

Analyzing Research Data Using Excel

Analyzing Research Data Using Excel Analyzing Research Data Using Excel Fraser Health Authority, 2012 The Fraser Health Authority ( FH ) authorizes the use, reproduction and/or modification of this publication for purposes other than commercial

More information

What are we dealing with? Creating a New MS Access Database

What are we dealing with? Creating a New MS Access Database What are we dealing with? Databases are widely used in industry and in applications where large amounts of information need to be managed effectively. Databases help users search for key information in

More information

Chapter 8: Types of Business Process Outsourcing. Imtiaz Surve H. Surve

Chapter 8: Types of Business Process Outsourcing. Imtiaz Surve H. Surve Chapter 8: Types of Business Process Outsourcing H. Surve 1 Coverage Types of Outsourcing Voice or Front-office Outsourcing Non-voice or Back-office Outsourcing Self Assessment 2 Types of Outsourcing 1.

More information

Section #2 Information for Each Educational Program Offered at the Institution

Section #2 Information for Each Educational Program Offered at the Institution Section #2 Information for Each Educational Program Offered at the Institution This section is to be filled out for each educational program offered at the institution. Complete one of these sections for

More information

Course 103402 MIS. Foundations of Business Intelligence

Course 103402 MIS. Foundations of Business Intelligence Oman College of Management and Technology Course 103402 MIS Topic 5 Foundations of Business Intelligence CS/MIS Department Organizing Data in a Traditional File Environment File organization concepts Database:

More information

Cal Answers Dashboard Reports Student All Access - Degrees

Cal Answers Dashboard Reports Student All Access - Degrees Cal Answers Dashboard Reports Student All Access - Degrees Office of Planning & Analysis Associate Vice Chancellor Chief Financial Officer University of California, Berkeley April 2012 Table of Contents

More information

P6 Analytics Reference Manual

P6 Analytics Reference Manual P6 Analytics Reference Manual Release 3.2 October 2013 Contents Getting Started... 7 About P6 Analytics... 7 Prerequisites to Use Analytics... 8 About Analyses... 9 About... 9 About Dashboards... 10 Logging

More information

1. Dimensional Data Design - Data Mart Life Cycle

1. Dimensional Data Design - Data Mart Life Cycle 1. Dimensional Data Design - Data Mart Life Cycle 1.1. Introduction A data mart is a persistent physical store of operational and aggregated data statistically processed data that supports businesspeople

More information

Data Analysis in SharePoint Pilot Report

Data Analysis in SharePoint Pilot Report Data Analysis in SharePoint Pilot Report 1 Aim The purpose of this experiment is to explore the data analysis features of SharePoint 2013 and how it can be used to visualize information in the university

More information

A Brief Introduction to MySQL

A Brief Introduction to MySQL A Brief Introduction to MySQL by Derek Schuurman Introduction to Databases A database is a structured collection of logically related data. One common type of database is the relational database, a term

More information

TASK FORCE FINDINGS, FINAL REPORT: PARALEGAL/LEGAL ASSISTING PROGRAM REVIEW Spring 2016 HILLSBOROUGH COMMUNITY COLLEGE, HILLSBOROUGH COUNTY, FLORIDA

TASK FORCE FINDINGS, FINAL REPORT: PARALEGAL/LEGAL ASSISTING PROGRAM REVIEW Spring 2016 HILLSBOROUGH COMMUNITY COLLEGE, HILLSBOROUGH COUNTY, FLORIDA TASK FORCE FINDINGS, FINAL REPORT: PARALEGAL/LEGAL ASSISTING PROGRAM REVIEW Spring 2016 ================================================================== HILLSBOROUGH COMMUNITY COLLEGE, HILLSBOROUGH COUNTY,

More information

INTRODUCING ORACLE APPLICATION EXPRESS. Keywords: database, Oracle, web application, forms, reports

INTRODUCING ORACLE APPLICATION EXPRESS. Keywords: database, Oracle, web application, forms, reports INTRODUCING ORACLE APPLICATION EXPRESS Cristina-Loredana Alexe 1 Abstract Everyone knows that having a database is not enough. You need a way of interacting with it, a way for doing the most common of

More information

Experiences in Using Academic Data for BI Dashboard Development

Experiences in Using Academic Data for BI Dashboard Development Paper RIV09 Experiences in Using Academic Data for BI Dashboard Development Evangeline Collado, University of Central Florida; Michelle Parente, University of Central Florida ABSTRACT Business Intelligence

More information

comparing the priorities of state agencies and the private sector

comparing the priorities of state agencies and the private sector state issue brief 02 state & private sector prioriities june 2009 comparing the priorities of state agencies and the private sector Melissa Brown, Michelle Wong & Tay McNamara, PhD agework@bc.edu 1 state

More information

New Workflows for Born Digital Assets: Managing and Providing Access to the Charles E. Bracker Orchid Photographs

New Workflows for Born Digital Assets: Managing and Providing Access to the Charles E. Bracker Orchid Photographs New Workflows for Born Digital Assets: Managing and Providing Access to the Charles E. Bracker Orchid Photographs Introduction By Amanda A. Hurford and Carolyn F. Runyon The Charles E. Bracker Orchid Photographs

More information

Best Practices. Integration of Salesforce and Microsoft Dynamics GP

Best Practices. Integration of Salesforce and Microsoft Dynamics GP Best Practices Integration of Salesforce and Microsoft Dynamics GP Best Practices: Integration of Salesforce and Microsoft Dynamics GP Introduction Customer Relationship Management (CRM) is mainly used

More information

CHAPTER 6 DATABASE MANAGEMENT SYSTEMS. Learning Objectives

CHAPTER 6 DATABASE MANAGEMENT SYSTEMS. Learning Objectives CHAPTER 6 DATABASE MANAGEMENT SYSTEMS Management Information Systems, 10 th edition, By Raymond McLeod, Jr. and George P. Schell 2007, Prentice Hall, Inc. 1 Learning Objectives Understand the hierarchy

More information

ACCOUNTING TECHNICIAN COMPETENCY PROFILE

ACCOUNTING TECHNICIAN COMPETENCY PROFILE Description of Work: Positions in this banded class have duties that primarily involve the maintenance, oversight, and reporting of financial accounting data, or the positions may be a specialist in an

More information

Career Service Authority Page 1 of 6 Senior Enterprise Resource Planning Systems Analyst

Career Service Authority Page 1 of 6 Senior Enterprise Resource Planning Systems Analyst Career Service Authority Page 1 of 6 Senior Enterprise Resource Planning Systems Analyst GENERAL STATEMENT OF CLASS DUTIES Performs full performance level professional work analyzing, refining and documenting

More information

Unit 3. Retrieving Data from Multiple Tables

Unit 3. Retrieving Data from Multiple Tables Unit 3. Retrieving Data from Multiple Tables What This Unit Is About How to retrieve columns from more than one table or view. What You Should Be Able to Do Retrieve data from more than one table or view.

More information

White Paper: Hadoop for Intelligence Analysis

White Paper: Hadoop for Intelligence Analysis CTOlabs.com White Paper: Hadoop for Intelligence Analysis July 2011 A White Paper providing context, tips and use cases on the topic of analysis over large quantities of data. Inside: Apache Hadoop and

More information

Microsoft Access 2007

Microsoft Access 2007 How to Use: Microsoft Access 2007 Microsoft Office Access is a powerful tool used to create and format databases. Databases allow information to be organized in rows and tables, where queries can be formed

More information

Foundations of Business Intelligence: Databases and Information Management

Foundations of Business Intelligence: Databases and Information Management Foundations of Business Intelligence: Databases and Information Management Wienand Omta Fabiano Dalpiaz 1 drs. ing. Wienand Omta Learning Objectives Describe how the problems of managing data resources

More information

Beginning Oracle. Application Express 4. Doug Gault. Timothy St. Hilaire. Karen Cannell. Martin D'Souza. Patrick Cimolini

Beginning Oracle. Application Express 4. Doug Gault. Timothy St. Hilaire. Karen Cannell. Martin D'Souza. Patrick Cimolini Beginning Oracle Application Express 4 Doug Gault Karen Cannell Patrick Cimolini Martin D'Souza Timothy St. Hilaire Contents at a Glance About the Authors Acknowledgments iv xv xvil 0 Chapter 1: An Introduction

More information

SJSU Annual Program Assessment Form Academic Year 2014-2015

SJSU Annual Program Assessment Form Academic Year 2014-2015 SJSU Annual Program Assessment Form Academic Year 2014-2015 Department: School of Information Program: Master of Library and Information Science (MLIS) College: CASA Website: http://ischool.sjsu.edu X

More information

Applications Software: Getting the Work Done. Chapter 2

Applications Software: Getting the Work Done. Chapter 2 Applications Software: Getting the Work Done Chapter 2 Objectives Distinguish between operating systems and applications software List the various methods by which individuals and businesses acquire software

More information

How To Harvest For The Agnic Portal

How To Harvest For The Agnic Portal This is a preprint of an article whose final and definitive form has been published in Library Hi Tech News [30(4):1-5, 2013]; Works produced by employees of the US Government as part of their official

More information

INTRODUCTION. National Competency Standard for Application Developers Commission on Information and Communications Technology

INTRODUCTION. National Competency Standard for Application Developers Commission on Information and Communications Technology COMMISSION ON INFORMATION AND COMMUNICATIONS TECHNOLOGY NATIONAL ICT COMPETENCY STANDARD FOR APPLICATION DEVELOPERS (NICS APPDEV) INTRODUCTION The National ICT Competency Standard for Application Developers

More information

Check individual job descriptions, as some positions require special qualifications.

Check individual job descriptions, as some positions require special qualifications. Check individual job descriptions, as some positions require special qualifications. Jobs for Law Students or SI Students with a J.D. or who have taken Advanced Legal Research. CATALOGING ASSISTANT...

More information