Nested SQL Dr. Zhen Jiang

Size: px
Start display at page:

Download "Nested SQL Dr. Zhen Jiang"

Transcription

1 Nested SQL Dr. Zhen Jiang Sometimes we need the result of one query prior to the querying of another.consider the following: List the name and age of all employees who are younger than the average age for all the employees in the company. The following WILL NOT WORK- because the where clause can t be applied to each row. No such a value of avg(age exists in each row for the Boolean check. SELECT enum,lname, age From emp where age >avg(age ; To answer this query we need to first find the average age as a separate query and then use this result to find all the employees as required. Consider the following query that simply finds the average age for all employees and then nest this query inside our original query as SELECT enum,lname, age From emp where age > (SELECT avg(age From emp ; Consider the following request: List the employee number, name and age, for all employees who work in departments with more than 5 people. This will not work - Why? SELECT enum, Lname, age having count(enum>5; The solution is expect to find a list of departments with more than 5 employees first and then use this result to check if each employee is in one of those departments. SELECT enum, Lname, age wherednum IN ( Select Dnum having count(enum>5

2 Exercises: write SQL queries for each of the following. QN1 List the name, number and age of all employees make less than the average salary. 1. First write a query to simply find the average salary of all employees. 2. Next write a nested query where we look at each employee and see if that employee makes less than the value calculated by the above sub query. Select Lname, Enum, age where salary < ( SELECT avg(salary FROM emp QN2 Find all the employees (enum, lname, dnum who work in departments whose average salary is >51, First write a sub query that lists all departments whose average salary is >51, Next write a nested query which list all employees who are in any of the departments listed in the above sub query. select enum, lname, dnum where dnum in ( select dnum having avg(salary>51000 * why use <in>? QN3 For all employees in D25 who make more than the average salary in the department, List enum, lname and salary. 1. First write a sub query that lists the average salary for those in d25 (Does not require grouping 2. Next write a nested query which lists all employees who are in d25 AND make more than the average salary calculated in the above sub query.

3 select enum, lname, salary where dnum like 'd25' and salary > ( select avg(salary where dnum like 'd25' * why two dnum like d25? QN4 Find all employees (enum, lname, dnum who work in departments that have no senior person (age>= First write a sub query that lists the department that has any person older than Next write a nested query which lists all employees who are NOT in department calculated in the above sub query. select enum, lname, dnum where dnum not in ( select dnum where age > 55 * Why not use <>, and why use not in? QN5 Find the department(s which contains the most junior workers (age <= First write a sub query that lists the count of juniors in each department. 2. Second write a nested query to get the maximum in such counting, which must have been prepared in a temporary table in advance in the above sub query. 3. Third, write another (higher level nested query to select the departments while having its counting of juniors matches the above maximum value.

4 select dnum where age <=30 having count(id = ( select max(c from( select count(id as C where age <=30 * how the tie problem can be solved here in case we have 2 departments reaching the maximum as the result? So far, we handle all distinct record, i.e., there is no duplicate in headcount (counting of id. Consider a query similar to QN5 in the following table: TC Num A B S X PA Easy X20 X22 X25 X27 X33 X38 X49 X55 X58 X62 X88 X PA Hard D 8 50 NJ Impossible 2 30 DE Hard 3 80 NJ Easy 4 20 DE Easy 9 40 NJ Hard 2 60 DE Easy 7 18 NJ Easy 4 20 PA Impossible 4 70 PA Hard 3 40 DE Easy 9 36 DE Hard

5 QN6 Find the S which contains the most D records. If you modified the code of QN5 by the replacement of Departmentà S and Junior workers count(id à count(d : select S having count(d = ( select max(c from( select count(d as C * The result is DE, not PA and NJ! Here is the correct answer: 1. First write a sub query that lists the distinct D records in each S. 2. Second write a nested query to get the count of distinct D in each S (group by. 3. Third, write another (higher level nested query to select the maximum in such counting, which must have been prepared in a temporary table in advance in the above sub query. 4. At the end, write the highest level nested query to select the S from distinct record table with the corresponding counting of D matches the above maximum value. Select S from ( Select S, D, D having count(d = ( Select max(c from ( select count (D as C from ( Select S, D, D

Subqueries. Lecture 9. Robb T. Koether. Hampden-Sydney College. Fri, Feb 2, 2018

Subqueries. Lecture 9. Robb T. Koether. Hampden-Sydney College. Fri, Feb 2, 2018 Subqueries Lecture 9 Robb T. Koether Hampden-Sydney College Fri, Feb 2, 2018 Robb T. Koether (Hampden-Sydney College) Subqueries Fri, Feb 2, 2018 1 / 17 1 Subqueries 2 The IN Operator 3 Using IN and NOT

More information

Subqueries. Lecture 11 Subsections Robb T. Koether. Hampden-Sydney College. Fri, Feb 8, 2013

Subqueries. Lecture 11 Subsections Robb T. Koether. Hampden-Sydney College. Fri, Feb 8, 2013 Subqueries Lecture 11 Subsections 5.1.1-5.1.5 Robb T. Koether Hampden-Sydney College Fri, Feb 8, 2013 Robb T. Koether (Hampden-Sydney College) Subqueries Fri, Feb 8, 2013 1 / 20 1 Subqueries 2 The IN Operator

More information

Oracle MOOC: SQL Fundamentals

Oracle MOOC: SQL Fundamentals Week 3 Homework for Lesson 3 Homework is your chance to put what you've learned in this lesson into practice. This homework is not "graded" and you are encouraged to write additional code beyond what is

More information

Oracle MOOC: SQL Fundamentals

Oracle MOOC: SQL Fundamentals Week 2 Homework for Lesson 2 Homework is your chance to put what you've learned in this lesson into practice. This homework is not "graded" and you are encouraged to write additional code beyond what is

More information

So You Think You Can Combine Data Sets? Christopher Bost

So You Think You Can Combine Data Sets? Christopher Bost So You Think You Can Combine Data Sets? Christopher Bost What s in it for you? The syntax to combine data sets is simple The actual combination is more complex Learn ways to check data sets before combining

More information

Analytic functions allow the rows in a result set to 'peek' at each other, avoiding the need for joining duplicated data sources.

Analytic functions allow the rows in a result set to 'peek' at each other, avoiding the need for joining duplicated data sources. Standard SQL functionality focuses on rows. When you want to explore the relationship between rows, those rows would have to come from different sources, even if it was the same table with a different

More information

CH-15 SIMPLE QUERY AND GROUPING

CH-15 SIMPLE QUERY AND GROUPING SQL SELECT STATEMENT. ASHOK GARG CH-15 SIMPLE QUERY AND GROUPING The SELECT statement is used to retrieve information from a table. Syntax: SELECT FROM [WHERE ] [GROUP

More information

CSE 344 APRIL 2 ND GROUPING/AGGREGATION

CSE 344 APRIL 2 ND GROUPING/AGGREGATION CSE 344 APRIL 2 ND GROUPING/AGGREGATION ADMINISTRIVIA HW1 Due Wednesday (11:30) Don t forget to git add and tag your assignment Check on gitlab after submitting OQ1 Due Friday (11:00) A few of you still

More information

RDBMS Using Oracle. Lecture week 5. Lecture Overview

RDBMS Using Oracle. Lecture week 5. Lecture Overview RDBMS Using Oracle Lecture week 5 CASE Expression Group Functions Lecture Overview AVG MAX MIN SUM COUNT Etc Working with Date Decode Function INSERT, UPDATE and DELETE commands Commit and Rollback, Alter

More information

ETH Zurich Spring Semester Systems Group Lecturer(s): Gustavo Alonso, Ce Zhang Date: March 27/March 31, Exercise 5: SQL II

ETH Zurich Spring Semester Systems Group Lecturer(s): Gustavo Alonso, Ce Zhang Date: March 27/March 31, Exercise 5: SQL II Data Modelling and Databases (DMDB) ETH Zurich Spring Semester 2017 Systems Group Lecturer(s): Gustavo Alonso, Ce Zhang Date: March Assistant(s): Claude Barthels, Eleftherios Sidirourgos, Last update:

More information

SQL Programming 1 SQL1 1

SQL Programming 1 SQL1 1 SQL Programming 1 The SELECT-FROM-WHERE Structure Single Relation Queries ORDER BY LIKE IS (NOT) NULL DISTINCT Aggregation Queries Grouping Having Oracle SQL*Plus Readings: Section 6.1 and 6.4 of Textbook.

More information

Database Systems CSE 414

Database Systems CSE 414 Database Systems CSE 414 Lectures 5: Grouping & Aggregation 1 Announcements HW1 is due next Monday, 11pm 2 Outline Last time: outer joins how to aggregate over all rows Grouping & aggregations (6.4.3 6.4.6)

More information

Masters by Project (BUS4580 and BUS4590)

Masters by Project (BUS4580 and BUS4590) M O N A S H U N I V E R S I T Y A U S T R A L I A School of Business Systems PARALLEL EXECUTION IN ORACLE - Report - PETER XU ID: 12288624 EMAIL: pxu1@student.monash.edu.au PHONE: 0412310003 Semester 1,

More information

Eden Project Limited. Gender Pay Gap - Reporting Date 5 th April 2017

Eden Project Limited. Gender Pay Gap - Reporting Date 5 th April 2017 Eden Project Limited Gender Pay Gap - Reporting Date 5 th April 2017 Background From 2017, the Government requires any employers with more than 250 employees to report on their Gender Pay Gap in a number

More information

PowerPoint Guide. The news icon is hyperlinked to a related article or website. Simply click to access

PowerPoint Guide. The news icon is hyperlinked to a related article or website. Simply click to access PowerPoint Guide The news icon is hyperlinked to a related article or website. Simply click to access The film icon is hyperlinked to a related clip. Simply click to access The discuss icon indicates suggested

More information

Answers For Management Positions

Answers For Management Positions Sample Situational Interview Questions With Answers For Management Positions Top 10 childcare interview questions with answers In this file, you can ref interview materials for childcare such as, childcare

More information

People Count 2014 List of measures reported in the Study

People Count 2014 List of measures reported in the Study People Count 2014 List of measures reported in the Study Table A GENERAL INFORMATION 1.1 Total income of organisation ( million) 1.2 Total expenditure of organisation ( million) 1.3 Organisational paybill

More information

CSE 344 JANUARY 17 TH SUBQUERIES

CSE 344 JANUARY 17 TH SUBQUERIES CSE 344 JANUARY 17 TH SUBQUERIES GROUPING AND AGGREGATION Purchase(product, price, quantity) Find total quantities for all sales over $1, by product. SELECT product, Sum(quantity) AS TotalSales FROM Purchase

More information

Six Myths About Knowledge Management

Six Myths About Knowledge Management Six Myths About Knowledge Management Avron Barr www.aldo.com, Palo Alto, CA (415)322-2233 Myth #1 Knowledge Management is New Knowledge Management A Common and Expensive Activity Examples of Knowledge

More information

Career Reflections & Self Assessment Understanding Your Past And Present For Future Career Success

Career Reflections & Self Assessment Understanding Your Past And Present For Future Career Success Career Reflections & Self Assessment Understanding Your Past And Present For Future Career Success Objective For today s session Reflect, discover & consider future possibilities, through assessments and

More information

LECTURE9-PART2: DATA MANIPULATION IN SQL, ADVANCED SQL QUERIES AND VIEW

LECTURE9-PART2: DATA MANIPULATION IN SQL, ADVANCED SQL QUERIES AND VIEW College of Computer and Information Sciences - Information Systems Dept. LECTURE9-PART2: DATA MANIPULATION IN SQL, ADVANCED SQL QUERIES AND VIEW Ref. Chapter5 and 6 from Database Systems: A Practical Approach

More information

Top 10 Best Practices. for Migrating Data from. On-Premise to the Cloud

Top 10 Best Practices. for Migrating Data from. On-Premise to the Cloud 3 1 2 4 5 6 7 8 Top 10 Best Practices 9 for Migrating Data from 10 On-Premise to the Cloud Introduction Cloud computing has become an all-but completely compelling choice for most businesses. The clear

More information

Responsible for the design of software, and for implementation and operation of effective software and tools.

Responsible for the design of software, and for implementation and operation of effective software and tools. Job title Job family Senior Software Engineer Technology, Systems & Delivery Proposed band D Job purpose Responsible for the design of software, and for implementation and operation of effective software

More information

Job Description and Person Specification

Job Description and Person Specification Job Description and Person Specification MIS Developer and Analyst Salary: Hours: Leave: Reports to: 30,806-32,523 pa inclusive 36 hours per week 27 days per annum plus public holidays plus up to 3 days

More information

Grantee Information. 1.1 Employment of Full Time Radio Employees. 1.1 Employment of Full Time Radio Employees ID Jump to question: 1.

Grantee Information. 1.1 Employment of Full Time Radio Employees. 1.1 Employment of Full Time Radio Employees ID Jump to question: 1. Grantee Information ID 154 Grantee Name City State Licensee Type WBGO FM Newark NJ Community Please enter the number of FULL TIME RADIO employees in the grids below. The first grid includes all female

More information

PATANJALI RISHIKUL, PRAYAGRAJ

PATANJALI RISHIKUL, PRAYAGRAJ (a) (b) (c) (d) (e) (f) (g) (h) PATANJALI RISHIKUL, PRAYAGRAJ Assignment # 1 1. Create a database called MyOffice 2. Open database 3. Given the following EMPLOYEE relation, answer the questions. TABLE

More information

Analytic Functions 101

Analytic Functions 101 Analytic Functions 101 Kim Berg Hansen KiBeHa Middelfart, Denmark Keywords: SQL, analytics Introduction The company I have worked at since 2000 as developer/architect is a major Danish retail company called

More information

People Count Third Sector 2016

People Count Third Sector 2016 Agenda Consulting People Count Third Sector 2016 HR and Workforce Benchmarks for the Third Sector User Guide 2016 CONTENTS 1 WELCOME... 2 2 KEY ROLES OF THE LEAD USER... 2 3 PRACTICAL GUIDE... 2 3.1 MAIN

More information

HR 8.9 Training DISTRIBUTIONS & REDISTRIBUTIONS P A R T I C I P A N T G U I D E

HR 8.9 Training DISTRIBUTIONS & REDISTRIBUTIONS P A R T I C I P A N T G U I D E HR 8.9 Training DISTRIBUTIONS & REDISTRIBUTIONS P A R T I C I P A N T G U I D E F E B R U A R Y 2010 Distributions & Redistributions Welcome to the Distributions & Redistributions training module! This

More information

Oxford Human Resource Consultants Ltd. Researcher, Africa. Appointment Brief

Oxford Human Resource Consultants Ltd. Researcher, Africa. Appointment Brief Oxford Human Resource Consultants Ltd. Researcher, Africa Appointment Brief 30 th April 2018 Oxford HR Consultants Ltd The Old Music Hall, 106-108 Cowley Road, Oxford OX4 1JE UK Tel: +44 (0) 1865 403 298

More information

Lesson 3: Goods and Services

Lesson 3: Goods and Services Communities Around the World -> 3: Goods and Services Getting Started Lesson 3: Goods and Services? Big Ideas P What do the communities provide for the people who live in them? P What are the needs of

More information

POSITION CLASSIFICATION QUESTIONNAIRE

POSITION CLASSIFICATION QUESTIONNAIRE POSITION CLASSIFICATION QUESTIONNAIRE Date: Nature of request Re-evaluation (no significant change in duties) Reclassification (significant change in duties) New Position Other (please specify) Position

More information

Summary of Clerks Private Sector Award 2010

Summary of Clerks Private Sector Award 2010 Summary of Clerks Private Sector Award 2010 Published: 22 June 2015 Operative date: first full pay period This summary of the award is current from 1 July 2015, and is provided for convenience of reference

More information

Obtaining Required Position-Related Information from MIDAS Taleo Version 15. Last revised: July 2017 Last reviewed: July 2017 Next review: July 2018

Obtaining Required Position-Related Information from MIDAS Taleo Version 15. Last revised: July 2017 Last reviewed: July 2017 Next review: July 2018 Obtaining Required Position-Related Information from MIDAS Taleo Version 15 Last revised: July 2017 Last reviewed: July 2017 Next review: July 2018 Table of Contents Required Position-Related Pieces of

More information

POSITION MANAGEMENT & ANU DELEGATION in the HRMS

POSITION MANAGEMENT & ANU DELEGATION in the HRMS POSITION MANAGEMENT & ANU DELEGATION in the HRMS POSITION MANAGEMENT & ANU DELEGATION in the HRMS... 1 SECTION A: Maintain position and delegation data within position management... 2 1. Creating a new

More information

ANNUAL LEAVE AND BANK HOLIDAY POLICY

ANNUAL LEAVE AND BANK HOLIDAY POLICY ANNUAL LEAVE AND BANK HOLIDAY POLICY Summary This policy and procedure sets out the guiding principles for ensuring that requests for annual leave (and Bank Holiday leave where applicable) are dealt with

More information

Suspense Management Reports. September 2016

Suspense Management Reports. September 2016 Suspense Management Reports September 2016 Webinar logistics and materials Today s webinar is approximately 60 minutes The audio is one-way. Use the chat window to type your questions. We will answer questions

More information

IF Function Contin.. Question 1

IF Function Contin.. Question 1 Lesson 07- Practical IF Function Contin.. Question 1 A. Write an AND formula to determine if A>A and AA or A

More information

Chapter 3 Investment in Skills (Theory of Human Capital Education and On-The-Job Training) Economics 136 Julian Betts

Chapter 3 Investment in Skills (Theory of Human Capital Education and On-The-Job Training) Economics 136 Julian Betts Chapter 3 Investment in Skills (Theory of Human Capital Education and On-The-Job Training) Economics 136 Julian Betts 1 Main Questions 1) What determines optimal amount of education people obtain? 2) What

More information

Employee portraits. Job title: Personal assistant. Qualifications. Personal qualities. The role

Employee portraits. Job title: Personal assistant. Qualifications. Personal qualities. The role Personal assistant A good range of GCSEs (or equivalent) RSA qualification at level I or II Organised Reliable Responsible Good communicator Strong administration skills Computer/typing skills Work as

More information

"Charting the Course... MOC B SharePoint 2010 Business Intelligence Course Summary

Charting the Course... MOC B SharePoint 2010 Business Intelligence Course Summary Course Summary Description This course explores how to use SharePoint as your platform for Business Intelligence. Journey through the SharePoint Business Intelligence Center, Excel, Reporting, Analysis

More information

Lesson 3: Goods and Services

Lesson 3: Goods and Services Communities Around the World -> 3: Goods and Services Getting Started? Big Ideas Lesson 3: Goods and Services What do the communities provide for the people who live in them? What are the needs of people

More information

Job Description. Job Title: Learning Disability Network Manager. Reference Number: Team: You will be part of the Public Participation team.

Job Description. Job Title: Learning Disability Network Manager. Reference Number: Team: You will be part of the Public Participation team. Job Description Job Title: Learning Disability Network Manager Reference Number: 000000 Team: You will be part of the Public Participation team. You will work closely with the Nursing Directorate. Hours:

More information

HUDSON ANALYTICS Australia. Salary Guide

HUDSON ANALYTICS Australia. Salary Guide Australia Business Performance & Insights Melbourne Business Intelligence Analyst 60-80 80-110 110-130 Reporting Analyst 55-75 75-100 100-130 Business Intelligence Consultant 55-70 70-100 100-140 Data

More information

Pick, Pack and Ship using Advanced Warehouse Management. Ellipse Solutions Kim Fielden

Pick, Pack and Ship using Advanced Warehouse Management. Ellipse Solutions Kim Fielden Pick, Pack and Ship using Advanced Warehouse Management Ellipse Solutions Kim Fielden Agenda Advanced Warehouse Management Enabling Advanced Warehouse Management Waves, Work templates, Location Directives

More information

I N V O I C E. Support AASHTO s FY 2015 participation in all Engineering Technical Service Programs.

I N V O I C E. Support AASHTO s FY 2015 participation in all Engineering Technical Service Programs. Innovation Initiative $ 6,000 PLEASE RETURN A COPY OF THE INVOICE WITH YOUR CHECK. YOUR CANCELLED CHECK IS YOUR RECEIPT. Make checks payable to: Product Evaluation Listing (APEL) $ 1,200 PLEASE RETURN

More information

People Inc Free Report Templates P&A Software Solutions Report Templates

People Inc Free Report Templates P&A Software Solutions Report Templates Report Templates It is possible to configure any number of report templates within the People Inc. system. The standard system is supplied with around 160 templates (a list of these standard report templates

More information

Statistical Process Control DELMIA Apriso 2017 Implementation Guide

Statistical Process Control DELMIA Apriso 2017 Implementation Guide Statistical Process Control DELMIA Apriso 2017 Implementation Guide 2016 Dassault Systèmes. Apriso, 3DEXPERIENCE, the Compass logo and the 3DS logo, CATIA, SOLIDWORKS, ENOVIA, DELMIA, SIMULIA, GEOVIA,

More information

I N V O I C E. Support AASHTO s FY 2016 participation in all Engineering Technical Service Programs.

I N V O I C E. Support AASHTO s FY 2016 participation in all Engineering Technical Service Programs. AASHTO Innovation Initiative $ 6,000 Total for PLEASE RETURN A COPY OF THE INVOICE WITH YOUR CHECK. YOUR CANCELLED CHECK IS YOUR RECEIPT. AASHTO Product Evaluation Listing (APEL) $ 1,200 Total for PLEASE

More information

I N V O I C E. Support AASHTO s FY 2016 participation in all Engineering Technical Service Programs.

I N V O I C E. Support AASHTO s FY 2016 participation in all Engineering Technical Service Programs. AASHTO Innovation Initiative $ 6,000 PLEASE RETURN A COPY OF THE INVOICE WITH YOUR CHECK. YOUR CANCELLED CHECK IS YOUR RECEIPT. AASHTO Product Evaluation Listing (APEL) $ 1,200 PLEASE RETURN A COPY OF

More information

I N V O I C E. Support AASHTO s FY 2016 participation in all Engineering Technical Service Programs.

I N V O I C E. Support AASHTO s FY 2016 participation in all Engineering Technical Service Programs. AASHTO Innovation Initiative $ 6,000 PLEASE RETURN A COPY OF THE INVOICE WITH YOUR CHECK. YOUR CANCELLED CHECK IS YOUR RECEIPT. AASHTO Product Evaluation Listing (APEL) $ 1,200 PLEASE RETURN A COPY OF

More information

I N V O I C E. Support AASHTO s FY 2016 participation in all Engineering Technical Service Programs.

I N V O I C E. Support AASHTO s FY 2016 participation in all Engineering Technical Service Programs. AASHTO Innovation Initiative $ 6,000 PLEASE RETURN A COPY OF THE INVOICE WITH YOUR CHECK. YOUR CANCELLED CHECK IS YOUR RECEIPT. AASHTO Product Evaluation Listing (APEL) $ 1,200 PLEASE RETURN A COPY OF

More information

I N V O I C E. Support AASHTO s FY 2016 participation in all Engineering Technical Service Programs.

I N V O I C E. Support AASHTO s FY 2016 participation in all Engineering Technical Service Programs. AASHTO Innovation Initiative $ 6,000 PLEASE RETURN A COPY OF THE INVOICE WITH YOUR CHECK. YOUR CANCELLED CHECK IS YOUR RECEIPT. AASHTO Product Evaluation Listing (APEL) $ 1,200 PLEASE RETURN A COPY OF

More information

QuickPivot s Target Real-Time Targeting, Segmentation and Analysis

QuickPivot s Target Real-Time Targeting, Segmentation and Analysis QuickPivot s Target Real-Time Targeting, Segmentation and Analysis Customer behavior changes from one minute to the next, so your targeting needs to be just as nimble. Target is fast, powerful and easy-to-use.

More information

Application Pack. Guidance Notes. So much more than fighting fires.

Application Pack. Guidance Notes. So much more than fighting fires. Application Pack Guidance Notes Please read through these Guidance Notes prior to completing the Application Form. So much more than fighting fires. www.wmfs.net/jobs_online West Midlands Fire Service

More information

Information for Municipal Employees Affected by Layoff

Information for Municipal Employees Affected by Layoff New York State Department of Civil Service Committed to Innovation, Quality and Excellence Information for Municipal Employees Affected by Layoff Andrew M. Cuomo Governor 1 WHO HAS RIGHTS IN LAYOFF SITUATIONS

More information

ENTERPRISE IT PROFESSIONAL/TECHNICAL STRUCTURE IMPLEMENTATION STAKEHOLDER BRIEFING

ENTERPRISE IT PROFESSIONAL/TECHNICAL STRUCTURE IMPLEMENTATION STAKEHOLDER BRIEFING ENTERPRISE IT PROFESSIONAL/TECHNICAL STRUCTURE IMPLEMENTATION STAKEHOLDER BRIEFING WHAT PROBLEM ARE WE TRYING TO SOLVE? Competing for talent in the various IT disciplines is an ongoing challenge for state

More information

Define Metrics in Reports

Define Metrics in Reports in Reports Metrics are used to build reports. They are the numerical values displayed in reports. They represent aggregations of facts and attributes. A metric is a simple or complex calculation applied

More information

A Guide to HR Shared Services

A Guide to HR Shared Services A Guide to HR Shared Services Contents Why Introduce an HR Shared Service Centre? The new HR Delivery Model Including the right processes in the HRSSC Role of technology Planning for HR Shared Services

More information

Lecture 10 Pay and Productivity

Lecture 10 Pay and Productivity Lecture 10 Pay and Productivity 1 Introduction Ensuring that your employees take actions that are in the best interest of the firm can be a difficult problem One of the more difficult problems is ensuring

More information

RULES OF PROCEDURE FOR THE AUDIT & CONFLICTS OF INTEREST COMMITTEE VALOREM S.A.

RULES OF PROCEDURE FOR THE AUDIT & CONFLICTS OF INTEREST COMMITTEE VALOREM S.A. 1. DEFINITIONS RULES OF PROCEDURE FOR THE AUDIT & CONFLICTS OF INTEREST COMMITTEE VALOREM S.A. 1.1 Shareholders. Those registered as the owners of the Company's shares in the Company's Shareholder Register

More information

Technical /Professional Communications Minor

Technical /Professional Communications Minor Technical /Professional Communications Minor Portfolio Guidelines for Seniors **Portfolios are to be submitted to D2L. Technical/ Professional Communications Minors must turn in a portfolio of their work

More information

SECTION 2A. Residential Social Care Worker. Oberstown Children Detention Campus Irish Youth Justice Service Department of Children and Youth Affairs

SECTION 2A. Residential Social Care Worker. Oberstown Children Detention Campus Irish Youth Justice Service Department of Children and Youth Affairs SECTION 2A Residential Social Care Worker Oberstown Children Detention Campus Irish Youth Justice Service Department of Children and Youth Affairs Please carefully note the following instructions: It is

More information

CISC 7510X Final Exam For the below questions, use the following schema definition.

CISC 7510X Final Exam For the below questions, use the following schema definition. CISC 7510X Final Exam For the below questions, use the following schema definition. customer(custid,username,fname,lname) product(prodid,description,listedprice) purchase(purchid,custid,timstamp) purchaseitem(purchid,prodid,qty,price)

More information

Post Title: West of England Works North team Administrator & Project Coordinator

Post Title: West of England Works North team Administrator & Project Coordinator Post Title: West of England Works North team Administrator & Project Coordinator Qualifications Experience Specific Skills/ Knowledge ESSENTIAL DESIRABLE EVIDENCE Excellent IT skills incuding Microsoft

More information

How to Write Your Resume to Overcome Age Bias

How to Write Your Resume to Overcome Age Bias How to Write Your Resume to Overcome Age Bias Age bias / age discrimination in the job search can be a real issue for some job searchers. Unfortunately, many job seekers make the problem worse simply by

More information

CISC 7512X Final Exam For the below questions, use the following schema definition.

CISC 7512X Final Exam For the below questions, use the following schema definition. CISC 7512X Final Exam For the below questions, use the following schema definition. customer(custid,username,fname,lname) product(prodid,description,listedprice) purchase(purchid,custid,timstamp) purchaseitem(purchid,prodid,qty,price)

More information

Evaluation of the online 22-hour health and safety study programme

Evaluation of the online 22-hour health and safety study programme Evaluation of the online 22-hour health and safety study programme Please only mark your answer with one cross at each question. Mind that the crosses must be within the designated boxes. Crosses put outside

More information

Engaging Your All-Stars: How Successful Companies Retain Their Top Performers

Engaging Your All-Stars: How Successful Companies Retain Their Top Performers Engaging Your All-Stars: How Successful Companies Retain Their Top Performers With the Major League Baseball All-Star Game approaching in July, it s an appropriate time to consider your own All-Stars and

More information

Free sample goals for administrative assistants

Free sample goals for administrative assistants Free sample goals for administrative assistants The Borg System is 100 % Free sample goals for administrative assistants Jul 27, 2017. While many administrative professionals are accomplished, talented

More information

Workforce Deployment Dimension and Fact Job Aid

Workforce Deployment Dimension and Fact Job Aid Table of Contents Introduction... 2 Human Resources Workforce Deployment Analysis... 5 Human Resources Workforce Deployment Subject Area... 8 Workforce Deployment Facts - Measure Definitions... 9 Workforce

More information

Several new features have been added to the Attendance Code Maintenance.

Several new features have been added to the Attendance Code Maintenance. -24- Attendance Codes Several new features have been added to the Attendance Code Maintenance. A rate may be defined on an attendance code by selecting the Attendance Code Rate option from the Default

More information

Classification Appeals Process

Classification Appeals Process Classification Appeals Process Upon the implementation of the 2006 Classification and Compensation Study some employees may question the appropriateness of their job assignment. An appeals process has

More information

FRENCH CULTURAL FACILITATOR / FRENCH IMMERSION (New position)

FRENCH CULTURAL FACILITATOR / FRENCH IMMERSION (New position) is now accepting applications for the position of FRENCH CULTURAL FACILITATOR / FRENCH IMMERSION (New position) Location: Learning Services Innovation Terms: Out of Scope, Level 3, 0.6 FTE, 10 month Salary:

More information

MEMO: LITTLE BELLA & MENTOR INFO TRACKING

MEMO: LITTLE BELLA & MENTOR INFO TRACKING MEMO: LITTLE BELLA & MENTOR INFO TRACKING Hi Program Leads! This off-season, our team looked for ways to make our registration process easier. We wanted to improve the user experience for parents registering

More information

Oracle Transactional Business Intelligence Enterprise for Human Capital Management Cloud Service

Oracle Transactional Business Intelligence Enterprise for Human Capital Management Cloud Service Oracle Transactional Business Intelligence Enterprise for Human Capital Management Cloud Service 11.1.1.10 Human Resources Workforce Effectiveness Subject Area July 2015 Contents Human Resources Workforce

More information

MAXIS Inquiry for DWP/MFIP Employment Services Providers. Classroom Support Materials & Guide

MAXIS Inquiry for DWP/MFIP Employment Services Providers. Classroom Support Materials & Guide MAXIS Inquiry for DWP/MFIP Employment Services Providers Classroom Support Materials & Guide MAXIS Navigation Transmit Keys transmits data to the mainframe Far right Enter key on the keyboard or Far right

More information

TUPE: Key Issues on Second Generation Outsourcings. We are just waiting on everyone joining and will be starting the session shortly at 1.

TUPE: Key Issues on Second Generation Outsourcings. We are just waiting on everyone joining and will be starting the session shortly at 1. TUPE: Key Issues on Second Generation Outsourcings We are just waiting on everyone joining and will be starting the session shortly at 1.15pm CIPS Series TUPE: Key Issues on Second Generation Outsourcings

More information

C18 Restructure and Redundancy Policy

C18 Restructure and Redundancy Policy C18 Restructure and Redundancy Policy Contents: Page 1. Introduction 1 2. Planning and Preparation 2 3. Consultation 3 4. Final Arrangements 4 5. Appointments 4 6. Pay Protection 4 7. Redundancy 5 8. Appeal

More information

Prolog Converge Advanced Notifications & Web Views Training

Prolog Converge Advanced Notifications & Web Views Training Prolog Converge Advanced Notifications & Web Views Training Who Should Take This Course Trimble employees, partners and clients who need a comprehensive understanding of advanced notifications, web configuration

More information

CANDIDATE BRIEF. Assistant Project Officer, Communications. Salary: Grade 5 ( 22,214 25,728 p.a.) Reference: CSCOM1027

CANDIDATE BRIEF. Assistant Project Officer, Communications. Salary: Grade 5 ( 22,214 25,728 p.a.) Reference: CSCOM1027 CANDIDATE BRIEF Assistant Project Officer, Communications Salary: Grade 5 ( 22,214 25,728 p.a.) Reference: CSCOM1027 We will consider flexible working arrangements Assistant Project Officer Communications,

More information

太阁 Data Analytics Iris Wang

太阁 Data Analytics Iris Wang 太阁 Data Analytics Iris Wang Introduction My Background Industrial engineering and management science and Economics Double Major From Northwestern University A.T.Kearney Master of Analytics From Northwestern

More information

CertShiken という認定試験問題集の権威的な提供者. CertShiken.

CertShiken という認定試験問題集の権威的な提供者. CertShiken. CertShiken という認定試験問題集の権威的な提供者 CertShiken http://www.certshiken.com Exam : 1z0-416 Title : PeopleSoft 9.2 Human Resources Essentials Vendor : Oracle Version : DEMO Get Latest & Valid 1z0-416 Exam's Question

More information

Business Intelligence Reporting Analyst Job Description

Business Intelligence Reporting Analyst Job Description Business Intelligence Reporting Analyst Job escription Responsible to: Business Intelligence evelopment Manager Overall Purpose To support the design, development and administration of business intelligence

More information

Bumping Process General Service Collective Agreement

Bumping Process General Service Collective Agreement Bumping Process General Service Collective Agreement 2016 What is Bumping? Bumping is a collective agreement provision which allows more senior workers who have been laid off to displace less senior employees.

More information

INFLUENCE OF SEX ROLE STEREOTYPES ON PERSONNEL DECISIONS

INFLUENCE OF SEX ROLE STEREOTYPES ON PERSONNEL DECISIONS Journal of Applied Psychology 1974, Vol. 59, No. 1, 9-14 INFLUENCE OF SEX ROLE STEREOTYPES ON PERSONNEL DECISIONS BENSON ROSEN 1 AND THOMAS H. JERDEE Graduate School of Business Administration, University

More information

Employment Options: Tips for Older Job Seekers

Employment Options: Tips for Older Job Seekers Employment Options: Tips for Older Job Seekers Older adults from all walks of life are returning to the workforce or joining it for the first time. Many employers value older workers knowledge, maturity

More information

Student Questionnaire Physics

Student Questionnaire Physics Identification Label TRENDS IN INTERNTIONL MTHEMTICS ND SCIENCE STUDY Student Questionnaire Physics IE, 2014 Directions In this booklet, you will find questions

More information

People Count Third Sector 2018

People Count Third Sector 2018 People Count Third Sector 2018 HR and Workforce Benchmarks for the Third Sector List of measures reported in the Study 2018 Agenda Consulting A GENERAL INFORMATION 1.1 Total income of organisation ( million)

More information

To: The Chief Executives of Education and Training Boards

To: The Chief Executives of Education and Training Boards Circular 0056/2014 To: The Chief Executives of Education and Training Boards Implementation of Clause 2.31 of the Haddington Road Agreement - revised pay scales and allowances for persons recruited to

More information

TOP REASONS TO ADOPT VERSION 7.4

TOP REASONS TO ADOPT VERSION 7.4 TOP REASONS TO ADOPT VERSION 7.4 2 CONTENTS Advanced Manufacturing Enhancements... 5 New Checkbox to Complete a Work Order Step Without Issuing Material... 5 New Production Return Entry and Progress Return

More information

SPOKANE TRANSIT POSITION DESCRIPTION. for FIXED ROUTE OPERATIONS SPECIALIST

SPOKANE TRANSIT POSITION DESCRIPTION. for FIXED ROUTE OPERATIONS SPECIALIST SPOKANE TRANSIT POSITION DESCRIPTION for NATURE OF WORK This position is responsible for the preparation, coordination, implementation, evaluation, maintenance, and related functions of automated Fixed

More information

Student Questionnaire Advanced Mathematics

Student Questionnaire Advanced Mathematics Identification Label TRENDS IN INTERNTIONL MTHEMTICS ND SCIENCE STUDY Student Questionnaire dvanced Mathematics IE, 2014 Directions In this booklet, you

More information

TRENDS IN INTERNATIONAL MATHEMATICS AND SCIENCE STUDY. Early Learning Survey. <Grade 4> <TIMSS National Research Center Name> <Address>

TRENDS IN INTERNATIONAL MATHEMATICS AND SCIENCE STUDY. Early Learning Survey. <Grade 4> <TIMSS National Research Center Name> <Address> Identification Label TRENDS IN INTERNTIONL MTHEMTICS ND SCIENCE STUDY Early Learning Survey IE, 2014 Early Learning Survey Your child s class has

More information

Employee portraits. Job title: Personal assistant. Qualifications. Personal qualities. The role

Employee portraits. Job title: Personal assistant. Qualifications. Personal qualities. The role Personal assistant A good range of GCSEs (or equivalent) RSA qualification at level I or II Organised Reliable Responsible Good communicator Strong administration skills Computer/typing skills Work as

More information

Succession Planning: Some Issues and Ideas

Succession Planning: Some Issues and Ideas Succession Planning: Some Issues and Ideas Michigan County Road Association March 15, 2017 Lewis Bender, PHD P.O. Box 330 LeRoy, MI 49655 231-797-5536 lewbender@aol.com www.lewbender.com A Discussion Not

More information

SUCCESSION PLANNING & LEADERSHIP DEVELOPMENT CESA INFRASTRUCTURE INDABA NOV. 2015

SUCCESSION PLANNING & LEADERSHIP DEVELOPMENT CESA INFRASTRUCTURE INDABA NOV. 2015 SUCCESSION PLANNING & LEADERSHIP DEVELOPMENT CESA INFRASTRUCTURE INDABA NOV. 2015 Why the need for succession planning Vacancies in senior or key positions are occurring in numerous organisations simultaneously.

More information

VOORBURG 2004 MINI PRESENTATIONS ON PRODUCER PRICE INDICES DEVELOPMENT OF A UK PRICE INDEX FOR LABOUR RECRUITMENT SERVICES

VOORBURG 2004 MINI PRESENTATIONS ON PRODUCER PRICE INDICES DEVELOPMENT OF A UK PRICE INDEX FOR LABOUR RECRUITMENT SERVICES VOORBURG 2004 MINI PRESENTATIONS ON PRODUCER PRICE INDICES DEVELOPMENT OF A UK PRICE INDEX FOR LABOUR RECRUITMENT SERVICES Anthony Luke and Pam Davies UK Office for National Statistics Introduction The

More information

Report Assistant for Microsoft Dynamics SL Payroll Module

Report Assistant for Microsoft Dynamics SL Payroll Module Report Assistant for Microsoft Dynamics SL Payroll Module PPM6-PR00-RA00000 RPMN-PR00-RA00650 Last Revision: March 14, 2006 PPM6-PR00-RA00000 RPMN-PR00-RA00650 Last Revision: March 14, 2006 Disclaimer

More information

CANDIDATE BRIEF. Events Executive, Leeds University Business School

CANDIDATE BRIEF. Events Executive, Leeds University Business School CANDIDATE BRIEF Events Executive, Leeds University Business School Salary: Grade 5 ( 22,214 25,728 p.a.) Reference: LUBSC1290 Closing date: 30 April 2018 Interviews to be held on 9 May 2018 We will consider

More information