DB2 SQL for the 21 st Century: Overlooked Enhancements. David Simpson

Size: px
Start display at page:

Download "DB2 SQL for the 21 st Century: Overlooked Enhancements. David Simpson"

Transcription

1 DB2 SQL for the 21 st Century: Overlooked Enhancements David Simpson

2 Themis Education Most complete DB2 Curriculum in the industry Offerings include a complete mainframe curriculum in addition to Oracle, Java,.NET, Linux, UNIX, etc. Training Venues: At your facility for groups Public enrollment at various locations in the USA Distance learning public enrollment with live instructors. Webinars: Visit for upcoming schedule and replays of past webinars and to download today s slides.

3 David Simpson David Simpson is currently the Vice President of Themis Inc. He teaches courses on SQL, Application Programming, Database Administration as well as optimization, performance and tuning. He also installs and maintains the database systems used for training at Themis and works with our network of instructors to deliver high quality training solutions to our customers worldwide. Since 1993 David has worked as a developer and DBA in support of very large transactional and business intelligence systems. David is a certified DB2 DBA on both z/os and LUW. David was voted Best User Speaker and Best Overall Speaker at IDUG North America He was also voted Best User Speaker at IDUG Europe 2006 and is a member of the IDUG Speakers Hall of Fame. David is also an IBM Champion for Information Management. dsimpson@themisinc.com

4 This material comes from Themis course: DB1041: Advanced SQL for DB2 Description March 14 Offering

5 Built-in Functions for Ranking and Numbering (DB2 9)

6 Rank Function SELECT LASTNAME, SALARY, RANK() OVER(ORDER BY SALARY DESC) AS R FROM EMP ORDER BY SALARY DESC LASTNAME SALARY R HAAS MOON LUCCHESI THOMPSON GEYER KWAN PULASKI

7 Rank Function SELECT LASTNAME, SALARY, RANK() OVER(ORDER BY SALARY DESC) AS R FROM EMP ORDER BY LASTNAME LASTNAME SALARY R ADAMSON BROWN GEYER GOUNOT HAAS HENDERSON JEFFERSON

8 Rank Function with Partitioning SELECT DEPTNO, LASTNAME, SALARY, RANK() OVER(PARTITION BY DEPTNO ORDER BY SALARY DESC) AS R FROM EMP ORDER BY DEPTNO, SALARY DESC DEPTNO LASTNAME SALARY R A00 HAAS A00 MOON A00 LUCCHESI A00 O CONNEL B01 THOMPSON C01 KWAN C01 NICHOLS C01 QUINTANA

9 Dense Rank Function SELECT LASTNAME, SALARY, DENSE_RANK() OVER(ORDER BY SALARY DESC) AS R FROM EMP ORDER BY SALARY DESC LASTNAME SALARY R HAAS MOON LUCCHESI THOMPSON GEYER KWAN PULASKI

10 Row Numbering SELECT LASTNAME, SALARY, ROW_NUMBER() OVER(ORDER BY SALARY DESC) AS R FROM EMP ORDER BY SALARY DESC LASTNAME SALARY R HAAS MOON LUCCHESI THOMPSON GEYER KWAN PULASKI

11 More Complex ORDER BY SELECT LASTNAME, SALARY, ROW_NUMBER() OVER(ORDER BY SALARY DESC, BONUS DESC) AS R FROM EMP ORDER BY SALARY DESC LASTNAME SALARY BONUS R HAAS MOON LUCCHESI THOMPSON GEYER KWAN PULASKI

12 Moving Aggregates (DB2 10)

13 Moving Aggregates Allows for a running total, average, etc Works with aggregate or column functions AVG SUM MIN MAX ORDER BY in the OVER should match the final for the statement 1-13

14 Moving Sum / Avg Example 1: SELECT EMPNO, DEPTNO, SALARY, SUM (SALARY) OVER (ORDER BY SALARY ASC ROWS UNBOUNDED PRECEDING ) AS SUM_SAL FROM EMP ORDER BY SALARY ASC

15 Result EMPNO DEPTNO SALARY SUM_SAL E E D E D D E D D D

16 Moving Sum / Avg Example 1: SELECT EMPNO, DEPTNO, SALARY, SUM (SALARY) OVER (ORDER BY SALARY ASC ROWS UNBOUNDED PRECEDING ) AS SUM_SAL FROM EMP ORDER BY SALARY ASC

17 Result EMPNO DEPTNO SALARY SUM_SAL E E D E D D E D D D

18 Moving Sum / Avg Example 2: SELECT DEPTNO, EMPNO, SALARY, SUM (SALARY) OVER (PARTITION BY DEPTNO ORDER BY SALARY ASC ROWS UNBOUNDED PRECEDING ) AS SUM_SAL FROM EMP ORDER BY DEPTNO, SALARY

19 Result DEPTNO EMPNO SALARY SUM_SAL A A A A B C C C SUM resets for each new value of partition clause

20 Moving Sum / Avg Example 3: Rows n Preceding SELECT DEPTNO, EMPNO, SALARY, AVG(SALARY) OVER (PARTITION BY DEPTNO ORDER BY SALARY ASC ROWS 2 PRECEDING ) AS AVG_SAL FROM EMP ORDER BY DEPTNO, SALARY SELECT DEPTNO, EMPNO, SALARY, DEC(ROUND(AVG(SALARY) OVER (PARTITION BY DEPTNO ORDER BY SALARY ASC ROWS 2 PRECEDING ),2),9,2) AS AVG_SAL FROM EMP ORDER BY DEPTNO, SALARY CAST final number as a shortened, rounded number

21 A Word on Rounding SELECT CAST( AS DECIMAL(9,2)) SELECT ROUND( , 2) SELECT ROUND(CAST( AS DECIMAL(9,2)),2) SELECT CAST(ROUND( , 2) AS DECIMAL(9,2)) 3.78

22 V10 OLAP Moving Ranges ROWS BETWEEN 1 PRECEDING AND 1 FOLLOWING ROWS BETWEEN 2 PRECEDING AND CURRENT ROW ROWS BETWEEN 2 PRECEDING AND 1 PRECEDING

23 Other Windowing Options RANGE BETWEEN PRECEDING AND FOLLOWING RANGE BETWEEN PRECEDING AND CURRENT ROW

24 Windowing by RANGE SELECT DEPTNO, EMPNO, SALARY, SUM (SALARY) OVER (ORDER BY SALARY ASC RANGE BETWEEN 5000 PRECEEDING AND CURRENT ROW ) AS SUM_SAL FROM EMP ORDER BY DEPTNO

25 Result DEPTNO EMPNO SALARY SUM_SAL E E D E D D E D D D Only values within $5000 are summed with the current row

26 Advanced Grouping (V11)

27 GROUPING SETS With 2 Groups SELECT DEPTNO, JOB, AVG(SALARY) AS AVG FROM EMP WHERE DEPTNO < 'B99' GROUP BY GROUPING SETS ( (DEPTNO, JOB), (DEPTNO) ) ORDER BY DEPTNO, JOB DEPTNO JOB AVG A00 CLERK A00 PRES A00 SALESREP A B01 MANAGER B

28 GROUPING SETS With 3 Groups SELECT DEPTNO, JOB, AVG(SALARY) AS AVG FROM EMP WHERE DEPTNO < 'B99' GROUP BY GROUPING SETS ( (DEPTNO, JOB), (DEPTNO), ( ) ) ORDER BY DEPTNO, JOB DEPTNO JOB AVG A00 CLERK A00 PRES A00 SALESREP A B01 MANAGER B

29 ROLLUP SELECT DEPTNO, JOB, AVG(SALARY) AS AVG FROM EMP WHERE DEPTNO < 'B99' GROUP BY ROLLUP (DEPTNO, JOB) ORDER BY DEPTNO, JOB DEPTNO JOB AVG A00 CLERK A00 PRES A00 SALESREP A B01 MANAGER B

30 ROLLUP With 2 Columns GROUP BY ROLLUP (DEPTNO, JOB) GROUP BY GROUPING SETS ( (DEPTNO, JOB), (DEPTNO), ( ) ) =

31 ROLLUP With 3 Columns GROUP BY ROLLUP (DEPTNO, JOB, EDLEVEL) = GROUP BY GROUPING SETS ( (DEPTNO, JOB, EDLEVEL), (DEPTNO, JOB), (DEPTNO) ( ) )

32 CUBE SELECT DEPTNO, JOB, AVG(SALARY) AS AVG FROM EMP WHERE DEPTNO < 'B99' GROUP BY CUBE (DEPTNO, JOB) ORDER BY DEPTNO, JOB DEPTNO JOB AVG A00 CLERK A00 PRES A00 SALESREP A B01 MANAGER B CLERK PRES SALESREP MANAGER

33 CUBE With 2 Columns GROUP BY CUBE (DEPTNO, JOB) GROUP BY GROUPING SETS ( (DEPTNO, JOB), (DEPTNO), (JOB), ( ) ) =

34 CUBE With 3 Columns GROUP BY CUBE (DEPTNO, JOB, EDLEVEL) = GROUP BY GROUPING SETS ( (DEPTNO, JOB, EDLEVEL), (DEPTNO, JOB), (DEPTNO, EDLEVEL), (JOB, EDLEVEL), (DEPTNO), (JOB), (EDLEVEL), ( ) )

35 Thanks for attending! Get slides and register for future webinars at Follow us on

o o o o o TOS 2.4.1 PDI 3.0.0 IBM DS 7.5 IBM DS PX 7.5 INFA PWC 8.1.1 Test1 13 7 19 8 16 Test2 0 0 0 0 0 Test3 13 3 7 9 11 Test4 8 7 12 5 13 Test5 15 4 13 12 18 Test6 15 4 10 5 12 Test7 11 3 7 8 15 Test8

More information

AND, OR, NOT FROM <FROM > DISTINCT <SELECT > SQL. Sailors

AND, OR, NOT FROM <FROM > DISTINCT <SELECT > SQL. Sailors 1 2 AND, OR, NOT [DISTINCT] cross-product DISTINCT 3 4 4 S.sname, Reserves R S.sid=R.sid AND R.bid=103 Sailors (sid) sname age (sid) bid day Reserves 22 dustin 7 45.0

More information

CyberCivics: A Novel Approach to Reaching K-12 Students with the Social Relevance of Computing. Jim Owens and Jeanna Matthews Clarkson University

CyberCivics: A Novel Approach to Reaching K-12 Students with the Social Relevance of Computing. Jim Owens and Jeanna Matthews Clarkson University CyberCivics: A Novel Approach to Reaching K-12 Students with the Social Relevance of Computing Jim Owens and Jeanna Matthews Clarkson University Overview Definition of CyberCivics Motivation and introduction

More information

Heidi Hasting. Bringing source control to BI world!

Heidi Hasting. Bringing source control to BI world! Heidi Hasting Bringing source control to BI world! Thanks to all sponsors Thanks to our Gold Sponsors: Thanks to our Event Sponsors Thanks to our Gold Sponsors: Heidi Hasting Business Intelligence Professional

More information

Distribution of Aces Among Dealt Hands

Distribution of Aces Among Dealt Hands Distribution of Aces Among Dealt Hands Brian Alspach 3 March 05 Abstract We provide details of the computations for the distribution of aces among nine and ten hold em hands. There are 4 aces and non-aces

More information

Word Memo of Team Selection

Word Memo of Team Selection Word Memo of Team Selection Internet search on potential professional sports leagues men s and women s Open a Memo Template in Word Paragraph 1 why should your city be allowed entry into the league Paragraphs

More information

Maths Workshop Topic Number and Place Value Miss Barrett

Maths Workshop Topic Number and Place Value Miss Barrett Maths Workshop 31.01.18 Topic Number and Place Value Miss Barrett Aims of today To get an insight into what your child is expected to know ahead of the SATs. To take away some ideas to support your child

More information

Relational Algebra Symbols

Relational Algebra Symbols Relational Algebra Symbols Unary Operators Selection p (T) takes a subset of rows, p is a predicate like a 1 > 3 Projection (a1, a2,...an) (T) takes a subset of columns, c1 cn are columns Renaming ρ (a1,

More information

National 4/5 Administration and I.T.

National 4/5 Administration and I.T. National 4/5 Administration and I.T. Personal Learning Plan Name: This document has been produced to help you track your learning within Administration and I.T. Your teacher will tell you when you should

More information

Measurement and Data. Bar Graphs. Talk About It. More Ideas. Formative Assessment. Have children try the following problem.

Measurement and Data. Bar Graphs. Talk About It. More Ideas. Formative Assessment. Have children try the following problem. 4 1.MD.4 Objective Common Core State Standards Bar Graphs Counting and classifying provide a foundation for the gathering and analysis of data. Moving collected information from a tally chart to a graph

More information

WASHBURN UNIVERSITY OF TOPEKA BOARD OF REGENTS MINUTES September 25, 2014

WASHBURN UNIVERSITY OF TOPEKA BOARD OF REGENTS MINUTES September 25, 2014 WASHBURN UNIVERSITY OF TOPEKA BOARD OF REGENTS MINUTES September 25, 2014 I. Call to Order Chairperson Sourk called the meeting to order at 4:00 p.m. in the Kansas Room of the Memorial Union on the Washburn

More information

The Promise and Prospect of a new Fiduciary Environment

The Promise and Prospect of a new Fiduciary Environment YOUR GUIDE TO GLOBAL FIDUCIARY INSIGHTS The Promise and Prospect of a new Fiduciary Environment Blaine Aikin & Kristina Fausti Topics Proposals for a fiduciary standard Proposals for regulatory oversight

More information

Grade 2 Mathematics Scope and Sequence

Grade 2 Mathematics Scope and Sequence Grade 2 Mathematics Scope and Sequence Common Core Standards 2.OA.1 I Can Statements Curriculum Materials & (Knowledge & Skills) Resources /Comments Sums and Differences to 20: (Module 1 Engage NY) 100

More information

AGENDA. NORTH CENTRAL MICHIGAN COLLEGE BOARD OF TRUSTEES REGULAR MEETING LIBRARY CONFERENCE ROOMS 1 & 2 June 26, :05 P.M. 1. Call to Order.

AGENDA. NORTH CENTRAL MICHIGAN COLLEGE BOARD OF TRUSTEES REGULAR MEETING LIBRARY CONFERENCE ROOMS 1 & 2 June 26, :05 P.M. 1. Call to Order. NORTH CENTRAL MICHIGAN COLLEGE BOARD OF TRUSTEES REGULAR MEETING LIBRARY CONFERENCE ROOMS 1 & 2 June 26, 2018 4:05 P.M. AGENDA 1. Call to Order. 2. Attendance. 3. Approval of Agenda. 4. Approve Minutes

More information

eedge: Making the Most of Marketing to Your Contacts

eedge: Making the Most of Marketing to Your Contacts eedge: Making the Most of Marketing to Your Contacts with Michael Tritthart Technology Training Room Sponsored by Session #6T Presenter Michael Tritthart One of two 2011 Trainers on eedge Roadshow Conducted

More information

SAMPLE MICRO-PROJECTS Materials Science & Engineering and Eco & Sustainability Mike Ashby, January 2019

SAMPLE MICRO-PROJECTS Materials Science & Engineering and Eco & Sustainability Mike Ashby, January 2019 CES EduPack Teaching Resource SAMPLE MICRO-PROJECTS Materials Science & Engineering and Eco & Sustainability Mike Ashby, January 2019 Which ceramic thinks it s a metal? Four Sample Micro-Projects Materials

More information

Instruction: Show the class the card. Do not read the number out loud. Allow 3 seconds after reading the card.

Instruction: Show the class the card. Do not read the number out loud. Allow 3 seconds after reading the card. Instruction: Show the class the card. Do not read the number out loud. Allow 3 seconds after reading the card. Question (1) Say: What number is one more than Instruction: Show the class the card. Do not

More information

Dear NAFA Nominating Committee,

Dear NAFA Nominating Committee, Dear NAFA Nominating Committee, Thank you for the opportunity to nominate a very deserving NAFA board candidate, Jan Brule of Region 3 and Minnesota s Makin Trax Flyball team. Jan embodies many qualities

More information

Introduction to tablebase and tablebase Family. William Weber. Market Experts Distribution, SL

Introduction to tablebase and tablebase Family. William Weber. Market Experts Distribution, SL Introduction to tablebase and tablebase Family William Weber Market Experts Distribution, SL Presentation Outline Introduction to DataKinetics tablebase tablebase Product Family Who Is DataKinetics? Established

More information

Work: The converse of the statement If p, then q is If q, then p. Thus choice C is correct.

Work: The converse of the statement If p, then q is If q, then p. Thus choice C is correct. Exam Name MULTIPLE CHOICE. Choose the one alternative that best completes the statement or answers the question. Write the specified statement. 1) State the converse of the following: 1) If you study hard,

More information

NATIONAL RESEARCH UNIVERSITY HIGHER SCHOOL OF ECONOMICS LOMONOSOV MOSCOW STATE UNIVERSITY LOMONOSOV MOSCOW STATE UNIVERSITY

NATIONAL RESEARCH UNIVERSITY HIGHER SCHOOL OF ECONOMICS LOMONOSOV MOSCOW STATE UNIVERSITY LOMONOSOV MOSCOW STATE UNIVERSITY 33/5 Kirpichnaya Str., room 825 Moscow, 105187 +7 (495) 772-95-90 ext. 55148 +7 (903) 514-85-97 http://www.hse.ru/staff/beklaryan abeklaryan@hse.ru ARMEN L. BEKLARYAN DATE OF BIRTH May 19, 1987 LOCATION

More information

Extending Shrinking Patterns

Extending Shrinking Patterns Extending Shrinking Patterns makes patterns by subtracting the same number. Continue the pattern. 1 5 4 1 2 3 7 5 2 1 9 8 2 6 4 5 25 20 3 6 3 Find the number subtracts and continue the pattern. 7 5 42

More information

MASTER PROOFS through GAMES

MASTER PROOFS through GAMES MASTER PROOFS through GAMES NCTM Annual Conference 2018 Washington D.C. Presented by Peter Sell and Paul Winston Peter and Quinn Paul and KenKen inventor Tetsuya Miyamoto DIGITS (Mastermind with Numbers)

More information

Hanham Primary Federation Calculation Policy 2014

Hanham Primary Federation Calculation Policy 2014 PROGRESSION Foundation Practical representation Practical representation Create 2 groups of objects, then count them as a whole. Select appropriate numicon tiles. Push the tiles together and count the

More information

A Little Graph Theory for the Busy Developer. Dr. Jim Webber Chief Scientist, Neo

A Little Graph Theory for the Busy Developer. Dr. Jim Webber Chief Scientist, Neo A Little Graph Theory for the Busy Developer Dr. Jim Webber Chief Scientist, Neo Technology @jimwebber Roadmap Imprisoned data Labeled Property Graph Model And some cultural similarities Graph theory South

More information

Curriculum-Vitae. K.Kavitha No. 63, Alangudiar Street, Karaikudi. Mobile: Objective:

Curriculum-Vitae. K.Kavitha No. 63, Alangudiar Street, Karaikudi. Mobile: Objective: K.Kavitha No. 63, Alangudiar Street, Karaikudi. Email:kavitha.urc@gmail.com Mobile: 9443133000 Curriculum-Vitae Objective: To work in a creative, challenging environment where I can constantly learn and

More information

Building a Digital Portfolio with WordPress Page 2

Building a Digital Portfolio with WordPress Page 2 Participant Workbook Building a Digital Portfolio With WordPress by Aaron L. Brenner is licensed under a Creative Commons Attribution 4.0 International License. 1 Building a Digital Portfolio with WordPress

More information

2nd Grade Common Core Math Assessments:

2nd Grade Common Core Math Assessments: 2nd Grade Common Core Math Assessments: Geometry By Blair Turner Student Data Tracker Geometry 100% Practice Page Scores 90% 80% 70% 60% 50% 40% 30% 20% 10% 0% 2.G.1 2.G.2 2.G.3 Standard Student Data Tracker

More information

5. Find the least number which when multiplied with will make it a perfect square. A. 19 B. 22 C. 36 D. 42

5. Find the least number which when multiplied with will make it a perfect square. A. 19 B. 22 C. 36 D. 42 1. Find the square root of 484 by prime factorization method. A. 11 B. 22 C. 33 D. 44 2. Find the cube root of 19683. A. 25 B. 26 C. 27 D. 28 3. A certain number of people agree to subscribe as many rupees

More information

ORACLE TUNING: THE DEFINITIVE REFERENCE BY DONALD K. BURLESON DOWNLOAD EBOOK : ORACLE TUNING: THE DEFINITIVE REFERENCE BY DONALD K.

ORACLE TUNING: THE DEFINITIVE REFERENCE BY DONALD K. BURLESON DOWNLOAD EBOOK : ORACLE TUNING: THE DEFINITIVE REFERENCE BY DONALD K. Read Online and Download Ebook ORACLE TUNING: THE DEFINITIVE REFERENCE BY DONALD K. BURLESON DOWNLOAD EBOOK : ORACLE TUNING: THE DEFINITIVE REFERENCE BY Click link bellow and free register to download

More information

Encoders. Lecture 23 5

Encoders. Lecture 23 5 -A decoder with enable input can function as a demultiplexer a circuit that receives information from a single line and directs it to one of 2 n possible output lines. The selection of a specific output

More information

AVAILABILITY OF DIGITAL RADIO HISTORY PRESENT - FUTURE

AVAILABILITY OF DIGITAL RADIO HISTORY PRESENT - FUTURE JUNE 21st AVAILABILITY OF DIGITAL RADIO HISTORY PRESENT - FUTURE Thomas Glassenhart Customer Services Manager ABOUT JATO WHO WE ARE AND WHAT WE DO The leading global supplier of automotive intelligence

More information

Similarly, for N players in a round robin tournament, where every player plays every other player exactly once, we need to arrange N (N 1) games.

Similarly, for N players in a round robin tournament, where every player plays every other player exactly once, we need to arrange N (N 1) games. Tournament scheduling Our first project will be to set up two tournaments and gather data to use in our course. We will encounter the three basic types of tournament in the course, a knockout tournament,

More information

! Watch the "Fast Track to Team Developer" video at ! Download the "Fast Track to Team Developer" slides PDF

! Watch the Fast Track to Team Developer video at   ! Download the Fast Track to Team Developer slides PDF WELCOME ABOARD We created this checklist so that you would have a step-by-step plan to successfully launch your business. Do NOT skip any steps in this checklist. Doing it will launch your business powerfully!!

More information

ANSIBLE AUTOMATION AT TJX

ANSIBLE AUTOMATION AT TJX ANSIBLE AUTOMATION AT TJX Ansible Introduction and TJX Use Case Overview Priya Zambre Infrastructure Engineer Tyler Cross Senior Cloud Specialist Solution Architect AGENDA Ansible Engine - what is it and

More information

. Review of Addition Addition Stories Missing Addends, Part 1

. Review of Addition Addition Stories Missing Addends, Part 1 0 LESSON. Review of Addition Addition Stories Missing Addends, Part 1 WARM-UP Facts Practice: 100 Addition Facts (Test A )~ Mental Math: Add ten to a number: a. 20 b. 34 c. 10 + 10 + 10 + 53 d. 5 + 10

More information

Chapter 4 Heuristics & Local Search

Chapter 4 Heuristics & Local Search CSE 473 Chapter 4 Heuristics & Local Search CSE AI Faculty Recall: Admissable Heuristics f(x) = g(x) + h(x) g: cost so far h: underestimate of remaining costs e.g., h SLD Where do heuristics come from?

More information

PROGRESS REPORT CGEWHO CHENNAI PHASE-III PROJECT

PROGRESS REPORT CGEWHO CHENNAI PHASE-III PROJECT 30.04.2018 Piling work 51% completed. Balance Piling work on Progress A1 BLOCK Barbending work for pile on progress. Piling work 43% completed. Balance Piling work on Progress A2 BLOCK Barbending work

More information

For Students: Review and Renew your Accommodations Letter

For Students: Review and Renew your Accommodations Letter For Students: Review and Renew your Accommodations Letter The following are instructions on how to review and renew your Accommodation Letters. It is important to know that you need to generate your letter

More information

Divisibility Rules. Copyright 2013 Brian Johnson Áll Rights Reserved

Divisibility Rules. Copyright 2013 Brian Johnson Áll Rights Reserved Divisibility Rules Name: Date: Review the rules: Á number is divisible by: 2 if the number ends in an even digit (0, 2, 4, 6, 8). 3 if the sum of the digits is divisible by 3. 4 if the last two digits

More information

Timken Bearing. maintenance Training

Timken Bearing. maintenance Training Timken Bearing maintenance Training Timken Bearing MAINTENANCE TRAINING HELPING IMPROVE BEARING PERFORMANCE Timken is where customers turn to increase the performance and uptime of their equipment. That

More information

Partitions and Permutations

Partitions and Permutations Chapter 5 Partitions and Permutations 5.1 Stirling Subset Numbers 5.2 Stirling Cycle Numbers 5.3 Inversions and Ascents 5.4 Derangements 5.5 Exponential Generating Functions 5.6 Posets and Lattices 1 2

More information

Decimals on the Number Line

Decimals on the Number Line Lesson 3.1 Decimals on the Number Line The number line below shows decimal values between 1.0 and 2.0. Which number does point P represent? A P B 1.0 2.0 Since the distance between 1.0 and 2.0 is divided

More information

An Agile Coach Choose Your Own Path Story

An Agile Coach Choose Your Own Path Story An Agile Coach Choose Your Own Path Story (Turn this card over to begin) 6 Copyright 2018 Damon Poole & Gillian Lee https://nexxle.com/agile/downloads A2 1/40 A2 6/40 11 16 A2 11/40 A2 16/40 21 26 A2 21/40

More information

FEMA Emergency Management Institute

FEMA Emergency Management Institute FEMA Emergency Management Institute State and Federal Stakeholder National Incident Management System (NIMS) Training Program Update Robert Patrick Training Specialist/Course Manager All Hazard Position

More information

General Certificate of Education (Advanced Level) Support Seminar Sample Paper :- Information & Communication Technology

General Certificate of Education (Advanced Level) Support Seminar Sample Paper :- Information & Communication Technology General Certificate of Education (Advanced Level) Support Seminar -2013 Sample Paper :- Information & Communication Technology Answer Sheet MCQ Question Number Answer Question Number Answer 1 1 26 5 2

More information

How Return Loss Gets its Ripples

How Return Loss Gets its Ripples Slide -1 How Return Loss Gets its Ripples an homage to Rudyard Kipling Dr. Eric Bogatin, Signal Integrity Evangelist, Bogatin Enterprises @bethesignal Downloaded handouts from Fall 211 Slide -2 45 Minute

More information

Joint ECE-EUROSTAT Work Session on Population and Housing Censuses (Ohrid, The former Yugoslav Republic of Macedonia, May 2003)

Joint ECE-EUROSTAT Work Session on Population and Housing Censuses (Ohrid, The former Yugoslav Republic of Macedonia, May 2003) Working Paper No. 20 15 May 2003 ENGLISH ONLY UN STATISTICAL COMMISSION and UN ECONOMIC COMMISSION FOR EUROPE STATISTICAL OFFICE OF THE EUROPEAN COMMUNITIES (EUROSTAT) CONFERENCE OF EUROPEAN STATISTICIANS

More information

RMF Post Processor Report JCL Samples for Use with RMF Spreadsheet Reporter

RMF Post Processor Report JCL Samples for Use with RMF Spreadsheet Reporter RMF Post Processor Report JCL Samples for Use with RMF Spreadsheet Reporter GSE z/os Expertforum CH, 26.9.2007 Silvio Sasso IBM Switzerland, Global Technology Services sisa@ch.ibm.com S. Sasso, IBM Switzerland,

More information

CLEAN ENERGY FUELS CORP. Filed by PICKENS BOONE

CLEAN ENERGY FUELS CORP. Filed by PICKENS BOONE CLEAN ENERGY FUELS CORP. Filed by PICKENS BOONE FORM SC 13D/A (Amended Statement of Beneficial Ownership) Filed 09/06/11 Address 3020 OLD RANCH PARKWAY, SUITE 400 SEAL BEACH, CA 90740 Telephone (562) 493-2804

More information

Diversity Image Inspector

Diversity Image Inspector Diversity Image Inspector Introduction The Diversity Image Inspector scans a bulk of images for included barcodes and configurable EXIF metadata (e.g. GPS coordinates, author, date and time). The results

More information

Enrichment chapter: ICT and computers. Objectives. Enrichment

Enrichment chapter: ICT and computers. Objectives. Enrichment Enrichment chapter: ICT and computers Objectives By the end of this chapter the student should be able to: List some of the uses of Information and Communications Technology (ICT) Use a computer to perform

More information

CCA 2018 BEST PRACTICES

CCA 2018 BEST PRACTICES CCA 2018 BEST PRACTICES Congratulations! You re signed up for CCA s 2018 Annual Convention! Now what? Some of you may be a CCA conference expert and know how to schedule your educational sessions, maneuver

More information

Heuristic Search with Pre-Computed Databases

Heuristic Search with Pre-Computed Databases Heuristic Search with Pre-Computed Databases Tsan-sheng Hsu tshsu@iis.sinica.edu.tw http://www.iis.sinica.edu.tw/~tshsu 1 Abstract Use pre-computed partial results to improve the efficiency of heuristic

More information

From Meals to Manners Mastering the Fine Art of Business Dinner Speaker: Ms Beverly Randolph CEO, The Protocol School of Indianapolis

From Meals to Manners Mastering the Fine Art of Business Dinner Speaker: Ms Beverly Randolph CEO, The Protocol School of Indianapolis Super Bowl edition THURSDAY FEB 16th NCMA INDIANAPOLIS CHAPTER DINNER MEETING From Meals to Manners Mastering the Fine Art of Business Dinner Speaker: Ms Beverly Randolph CEO, The Protocol School of Indianapolis

More information

Dba 911!: For Database Environments In Crisis By Chris Hall READ ONLINE

Dba 911!: For Database Environments In Crisis By Chris Hall READ ONLINE Dba 911!: For Database Environments In Crisis By Chris Hall READ ONLINE Dba 911!: For Database Environments In Crisis (565 reads) Essays That Will Get You Into Medical School (696 reads) The Millennials:

More information

Dice Activities for Algebraic Thinking

Dice Activities for Algebraic Thinking Foreword Dice Activities for Algebraic Thinking Successful math students use the concepts of algebra patterns, relationships, functions, and symbolic representations in constructing solutions to mathematical

More information

This volume of Hey Jane! was co-written by Denise Copelton, chair of the SWS Career Development Committee.

This volume of Hey Jane! was co-written by Denise Copelton, chair of the SWS Career Development Committee. Welcome to Column 15 of Hey Jane! This is a project of the SWS Career Development Committee. Questions and answers are generated by the committee and SWS members. Answers are compiled from several anonymous

More information

CS2212 PROGRAMMING CHALLENGE II EVALUATION FUNCTIONS N. H. N. D. DE SILVA

CS2212 PROGRAMMING CHALLENGE II EVALUATION FUNCTIONS N. H. N. D. DE SILVA CS2212 PROGRAMMING CHALLENGE II EVALUATION FUNCTIONS N. H. N. D. DE SILVA Game playing was one of the first tasks undertaken in AI as soon as computers became programmable. (e.g., Turing, Shannon, and

More information

March 5, What is the area (in square units) of the region in the first quadrant defined by 18 x + y 20?

March 5, What is the area (in square units) of the region in the first quadrant defined by 18 x + y 20? March 5, 007 1. We randomly select 4 prime numbers without replacement from the first 10 prime numbers. What is the probability that the sum of the four selected numbers is odd? (A) 0.1 (B) 0.30 (C) 0.36

More information

Transferring Knowledge of Multiplicative Structures

Transferring Knowledge of Multiplicative Structures Transferring Knowledge of Multiplicative Structures Dr. Roger Fischer EMAT Project Facilitator Montana State University November 11, 2016 OVERVIEW Sample Analogous Tasks Definition of Multiplication Transferring

More information

Lecture Slides. Elementary Statistics Twelfth Edition. by Mario F. Triola. and the Triola Statistics Series. Section 2.2- #

Lecture Slides. Elementary Statistics Twelfth Edition. by Mario F. Triola. and the Triola Statistics Series. Section 2.2- # Lecture Slides Elementary Statistics Twelfth Edition and the Triola Statistics Series by Mario F. Triola Chapter 2 Summarizing and Graphing Data 2-1 Review and Preview 2-2 Frequency Distributions 2-3 Histograms

More information

Raspberry Pi: 101 Beginners Guide: The Definitive Step By Step Guide For What You Need To Know To Get Started (Raspberry Pi, Raspberry, Single Board

Raspberry Pi: 101 Beginners Guide: The Definitive Step By Step Guide For What You Need To Know To Get Started (Raspberry Pi, Raspberry, Single Board Raspberry Pi: 101 Beginners Guide: The Definitive Step By Step Guide For What You Need To Know To Get Started (Raspberry Pi, Raspberry, Single Board Computers,... Pi Programming, Raspberry Pi Projects)

More information

90-Day Action Plan. Estimated Time Investment: 2 Hours

90-Day Action Plan. Estimated Time Investment: 2 Hours 90-Day Action Plan This plan is designed to give new Renatus Students and ITA/IMAs an outline for starting their business. Renatus students & IMAs created it as an additional resource. It is not required

More information

A natural number is called a perfect cube if it is the cube of some. some natural number.

A natural number is called a perfect cube if it is the cube of some. some natural number. A natural number is called a perfect square if it is the square of some natural number. i.e., if m = n 2, then m is a perfect square where m and n are natural numbers. A natural number is called a perfect

More information

Thousandths are smaller parts than hundredths. If one hundredth is divided into 10 equal parts, each part is one thousandth.

Thousandths are smaller parts than hundredths. If one hundredth is divided into 10 equal parts, each part is one thousandth. Lesson 3.1 Reteach Thousandths Thousandths are smaller parts than hundredths. If one hundredth is divided into 10 equal parts, each part is one thousandth. Write the decimal shown by the shaded parts of

More information

Precise Counting Scale GC. User Manual SNOWREX INTERNATIONAL CO., LTD. SRGC

Precise Counting Scale GC. User Manual SNOWREX INTERNATIONAL CO., LTD. SRGC Precise Counting Scale GC User Manual SNOWREX INTERNATIONAL CO., LTD. SRGC 20100415 Table of Contents Table of Contents...1 Specifications... 2 Basic specification... 2 Series specification(ec TYPE/OIML

More information

FPGA IMPLEMENTATION FOR OMR ANSWER SHEET SCANNING USING STATE MACHINE AND IR SENSORS

FPGA IMPLEMENTATION FOR OMR ANSWER SHEET SCANNING USING STATE MACHINE AND IR SENSORS FPGA IMPLEMENTATION FOR OMR ANSWER SHEET SCANNING USING STATE MACHINE AND IR SENSORS 1 AKHILESH PATIL, 2 MADHUSUDHAN NAIK, 3 P.H.GHARE 3 Asst.Professor 1,2,3 Department of Electronics and Communication

More information

Two Factor Full Factorial Design with Replications

Two Factor Full Factorial Design with Replications Two Factor Full Factorial Design with Replications Raj Jain Washington University in Saint Louis Saint Louis, MO 63130 Jain@cse.wustl.edu These slides are available on-line at: 22-1 Overview Model Computation

More information

copyright amberpasillas2010 What is Divisibility? Divisibility means that after dividing, there will be No remainder.

copyright amberpasillas2010 What is Divisibility? Divisibility means that after dividing, there will be No remainder. What is Divisibility? Divisibility means that after dividing, there will be No remainder. 1 356,821 Can you tell by just looking at this number if it is divisible by 2? by 5? by 10? by 3? by 9? By 6? The

More information

MonetDB & R. amst-r-dam meet-up, Hannes Mühleisen

MonetDB & R. amst-r-dam meet-up, Hannes Mühleisen MonetDB & R amst-r-dam meet-up, 203-0-4 Hannes Mühleisen Collect data Growing Load data Filter, transform & aggregate data Analyze & Plot Not really Analysis features Publish paper/ Profit Problem: #BiggeR

More information

0:40 SESSION 2. Use 2B or HB pencil only. Time available for students to complete test: 40 minutes

0:40 SESSION 2. Use 2B or HB pencil only. Time available for students to complete test: 40 minutes national assessment program literacy and numeracy NUMERACY NON-calculator year 7 009 0:40 SESSION Time available for students to complete test: 40 minutes Use B or HB pencil only Australian Curriculum,

More information

1. President Waldenburg called the meeting to order.

1. President Waldenburg called the meeting to order. March 19, 2012 A of the Board of Education of the Northport-East Northport Union Free School District was held on Monday evening, March 19, 2012, beginning at 6:00 p.m., in the Faculty Dining Room at Northport

More information

Integrated Product Development: Linking Business and Engineering Disciplines in the Classroom

Integrated Product Development: Linking Business and Engineering Disciplines in the Classroom Session 2642 Integrated Product Development: Linking Business and Engineering Disciplines in the Classroom Joseph A. Heim, Gary M. Erickson University of Washington Shorter product life cycles, increasing

More information

Game Theory. Problem data representing the situation are constant. They do not vary with respect to time or any other basis.

Game Theory. Problem data representing the situation are constant. They do not vary with respect to time or any other basis. Game Theory For effective decision making. Decision making is classified into 3 categories: o Deterministic Situation: o o Problem data representing the situation are constant. They do not vary with respect

More information

Finding Missing Addends

Finding Missing Addends 8 Objective Finding Missing Addends In addition, the two numbers being combined are addends, and their total is the sum. Addition problems are usually represented by two known addends and an unknown sum;

More information

Single Part Tolerance Analysis 1

Single Part Tolerance Analysis 1 856 SALT LAKE COURT SAN JOSE, CA 95133 (408) 251 5329 Single Part Tolerance Analysis 1 2X Ø.250 ±.005 D 3.075-3.175.500 2.000.250 ±.005 E.375 C 2.050 1.950.609.859 1.375 G 1.125 B.375.750 1.125 1.500 1.875

More information

D Is For Disneyland: The Unofficial Kids' Guide To The Happiest Place On Earth By Kelly Pope Adamson

D Is For Disneyland: The Unofficial Kids' Guide To The Happiest Place On Earth By Kelly Pope Adamson D Is For Disneyland: The Unofficial Kids' Guide To The Happiest Place On Earth By Kelly Pope Adamson If searched for a ebook D is for Disneyland: The Unofficial Kids' Guide to the Happiest Place on Earth

More information

ORGANIZATIONAL MEETING

ORGANIZATIONAL MEETING ORGANIZATIONAL MEETING November 5, 2018 Board of Education Organizational Meeting of the Board Monday, November 5, 2018-12:00 pm Board Room - 420 22 nd Street East AGENDA 1.0 Welcome 1.1 Call to Order

More information

Flatpicking Solos: 12 Contest-Winning Arrangements By Scott Fore READ ONLINE

Flatpicking Solos: 12 Contest-Winning Arrangements By Scott Fore READ ONLINE Flatpicking Solos: 12 Contest-Winning Arrangements By Scott Fore READ ONLINE If you are looking for the book Flatpicking Solos: 12 Contest-Winning Arrangements by Scott Fore in pdf form, in that case you

More information

Graphics and Visual Aids CHAPTER Using Graphics and Visual Aids Developing Graphics. 362 Chapter 10 Graphics and Visual Aids

Graphics and Visual Aids CHAPTER Using Graphics and Visual Aids Developing Graphics. 362 Chapter 10 Graphics and Visual Aids ANDRESR/SHUTTERSTOCK CHAPTER 10 Graphics and Visual Aids 10.1 Using Graphics and Visual Aids 10.2 Developing Graphics 362 Chapter 10 Graphics and Visual Aids Presenting a Progress Report Lucia Lu has acted

More information

STA1600LN x Element Image Area CCD Image Sensor

STA1600LN x Element Image Area CCD Image Sensor ST600LN 10560 x 10560 Element Image Area CCD Image Sensor FEATURES 10560 x 10560 Photosite Full Frame CCD Array 9 m x 9 m Pixel 95.04mm x 95.04mm Image Area 100% Fill Factor Readout Noise 2e- at 50kHz

More information

Computer Science Engineering Course Code : 311

Computer Science Engineering Course Code : 311 Computer Science & Engineering 1 Vocational Practical Question Bank First & Second Year Computer Science Engineering Course Code : 311 State Institute of Vocational Education O/o the Commissioner of Intermediate

More information

Best Practices in Social Media Summary of Findings from the Second Comprehensive Study of Social Media Use by Schools, Colleges and Universities

Best Practices in Social Media Summary of Findings from the Second Comprehensive Study of Social Media Use by Schools, Colleges and Universities Best Practices in Social Media Summary of Findings from the Second Comprehensive Study of Social Media Use by Schools, Colleges and Universities April 13, 2011 In collaboration with the Council for Advancement

More information

Markdown Optimization Guide for SAP DM. Demand Management. Release 6.4. Target Audience. Business users. Document Version 1.

Markdown Optimization Guide for SAP DM. Demand Management. Release 6.4. Target Audience. Business users. Document Version 1. Markdown Optimization Guide for SAP DM Demand Management Release 6.4 Target Audience Business users Document Version 1.00 - October, 2006 SAP AG Dietmar-Hopp-Allee 16 69190 Walldorf Germany T +49/18 05/34

More information

Technology Training WORLD-CLASS TRAINING FOR CUSTOMERS AND EMPLOYEES

Technology Training WORLD-CLASS TRAINING FOR CUSTOMERS AND EMPLOYEES Technology Training WORLD-CLASS TRAINING FOR CUSTOMERS AND EMPLOYEES Technology Training HANDS-ON, INTERACTIVE LEARNING MODULES Summit ESP A Halliburton Service offers hands-on training where students

More information

Fractions & Decimals. Eric Charlesworth. To O-we-o for being an outstanding meerkat. E. C.

Fractions & Decimals. Eric Charlesworth. To O-we-o for being an outstanding meerkat. E. C. Math Fractions & Decimals Eric Charlesworth To O-we-o for being an outstanding meerkat. E. C. Scholastic Inc. grants teachers permission to photocopy the reproducible pages from this book for classroom

More information

Sensor network: storage and query. Overview. TAG Introduction. Overview. Device Capabilities

Sensor network: storage and query. Overview. TAG Introduction. Overview. Device Capabilities Sensor network: storage and query TAG: A Tiny Aggregation Service for Ad- Hoc Sensor Networks Samuel Madden UC Berkeley with Michael Franklin, Joseph Hellerstein, and Wei Hong Z. Morley Mao, Winter Slides

More information

DOWNLOAD OR READ : TENNESSEE GENEALOGICAL RECORDS RECORDS OF EARLY SETTLERS FROM STATE AND COUNTY ARCHIVES PDF EBOOK EPUB MOBI

DOWNLOAD OR READ : TENNESSEE GENEALOGICAL RECORDS RECORDS OF EARLY SETTLERS FROM STATE AND COUNTY ARCHIVES PDF EBOOK EPUB MOBI DOWNLOAD OR READ : TENNESSEE GENEALOGICAL RECORDS RECORDS OF EARLY SETTLERS FROM STATE AND COUNTY ARCHIVES PDF EBOOK EPUB MOBI Page 1 Page 2 tennessee genealogical records records pdf Family Search Service.

More information

Filter Photo Festival is the premier photography event in the Midwest. The Festival, held annually in

Filter Photo Festival is the premier photography event in the Midwest. The Festival, held annually in SPONSORSHIP 2017 FILTER PHOTO FESTIVAL Filter Photo Festival is the premier photography event in the Midwest. The Festival, held annually in downtown Chicago, attracts approximately 1,200 artists, photographers,

More information

JEFFERSON COLLEGE COURSE SYLLABUS ART262. CERAMICS/POTTERY II INTRODUCTION TO CERAMICS Part II. 3 Credit Hours. Prepared by: Sandra Burke

JEFFERSON COLLEGE COURSE SYLLABUS ART262. CERAMICS/POTTERY II INTRODUCTION TO CERAMICS Part II. 3 Credit Hours. Prepared by: Sandra Burke JEFFERSON COLLEGE COURSE SYLLABUS ART262 CERAMICS/POTTERY II INTRODUCTION TO CERAMICS Part II 3 Credit Hours Prepared by: Sandra Burke Revised Date: January 2008 By: Nick Nihira Arts & Science Education

More information

REAL Momentum: How Emerging Technologies Will Change our World

REAL Momentum: How Emerging Technologies Will Change our World WELCOME TO THE REAL WORLD REAL Momentum: How Emerging Technologies Will Change our World Presented by Lisa Stanley Meet Our Speaker Lisa Stanley Chief Executive Officer OSCRE International Lisa.Stanley@oscre.org

More information

StepbyStepInstructionson

StepbyStepInstructionson 2 nd Edition CreatingReportsin MANAGEMENTREPORTER I StepbyStepInstructionson MoreReports byjanlenoirharigancpa Table of Contents Table of Contents... 2 Getting Started... 6 First Things First... 6 Using

More information

ORACLE TUNING: THE DEFINITIVE REFERENCE BY DONALD K. BURLESON DOWNLOAD EBOOK : ORACLE TUNING: THE DEFINITIVE REFERENCE BY DONALD K.

ORACLE TUNING: THE DEFINITIVE REFERENCE BY DONALD K. BURLESON DOWNLOAD EBOOK : ORACLE TUNING: THE DEFINITIVE REFERENCE BY DONALD K. Read Online and Download Ebook ORACLE TUNING: THE DEFINITIVE REFERENCE BY DONALD K. BURLESON DOWNLOAD EBOOK : ORACLE TUNING: THE DEFINITIVE REFERENCE BY Click link bellow and free register to download

More information

What is AI? Ar)ficial Intelligence. What is AI? What is AI? 9/4/09

What is AI? Ar)ficial Intelligence. What is AI? What is AI? 9/4/09 What is AI? Ar)ficial Intelligence CISC481/681 Lecture #1 Ben Cartere

More information

Christan Grant and Andrew H. Fagg: CS

Christan Grant and Andrew H. Fagg: CS Christan Grant and Andrew H. Fagg: CS 3113 1 How to find the Instructors Dr. Christan Grant DEH 234 cgrant@ou Dr. Andrew H. Fagg DEH 243 andrewhfagg@gmail Office hours are still to be announced Appointments

More information

4NPO3a Add and subtract: Whole numbers, or Fractions with like denominators, or Decimals through hundredths.

4NPO3a Add and subtract: Whole numbers, or Fractions with like denominators, or Decimals through hundredths. Correlation: 2016 Alabama Course of Study, Mathematics standards and NAEP Objectives When teaching Alabama Course of Study content, NAEP objectives and items are useful for identifying a level of rigor

More information

Competition Rules

Competition Rules Competition Rules 2018-2019 GETTING STARTED The Tournament will consist of Team and Solo Events. Teams of eight (8) will be competing for the fastest time to collectively solve 25 Rubik's Cubes. Solo competitors

More information

Exam #1. Good luck! Page 1 of 7

Exam #1. Good luck! Page 1 of 7 Exam # Total: 00 points Date: July, 008 Time: :00 :0 You have hour and 0 minutes to finish the exam. Please read the question carefully and assign your time smartly. Please PRINIT your name on each page

More information

Session 5 Variation About the Mean

Session 5 Variation About the Mean Session 5 Variation About the Mean Key Terms for This Session Previously Introduced line plot median variation New in This Session allocation deviation from the mean fair allocation (equal-shares allocation)

More information