2 Copyright 2010 Jerry Post with additions & narration by M. E. Kabay. All rights reserved. SaleAnimal SaleID AnimalID SalePrice. Customer.

Size: px
Start display at page:

Download "2 Copyright 2010 Jerry Post with additions & narration by M. E. Kabay. All rights reserved. SaleAnimal SaleID AnimalID SalePrice. Customer."

Transcription

1 Advanced Queries IS240 DBMS Lecture # M. E. Kabay, PhD, CISSP-ISSMP Assoc. Prof. Information Assurance Division of Business & Management, Norwich University mailto:mkabay@norwich.edu V: Topics Sub-query for Calculation Query Sets (IN) Using IN with a Sub-query Left Outer Join Older Syntax for Left Join SubQuery for Computation Correlated Subquery UNION Operator Multiple JOIN Columns CASE Function Inequality Join SQL SELECT & SQL Mnemonic 1 Copyright 2010 Jerry Post with additions & narration by M. E. Kabay. All rights reserved. 2 Copyright 2010 Jerry Post with additions & narration by M. E. Kabay. All rights reserved. Supplier Contact Tables der derid derdate ReceiveDate ShippingCost City City State AreaCode Population1990 Population1980 Country Latitude Longitude Merchandise der PONumber derdate ReceiveDate ShippingCost 3 Copyright 2010 Jerry Post with additions & narration by M. E. Kabay. All rights reserved. deritem derid Cost Employee Last First TaxPayerID DateHired DateReleased deritem PONumber Cost Registration DateBorn Gender Registered Color ListPrice Photo Date stax Merchandise Description OnHand ListPrice First Last Item Harder Questions How many cats are instock on 10/1/04? Which cats sold for more than the average price? Which animals sold for more than the average price of animals in their category? Which animals have not been sold? Which customers (who bought something at least once) did not buy anything between 11/1/04 and 12/31/04? Which customers who bought Dogs also bought products for Cats (at any time)? 4 Copyright 2010 Jerry Post with additions & narration by M. E. Kabay. All rights reserved. Sub-query for Calculation Which cats sold for more than the average sale price of cats? Assume we know the average price is $170. Usually we need to compute it first. SELECT.,.,. INNER JOIN ON. =. WHERE ((.= Cat ) AND (.>170)); SELECT.,.,. INNER JOIN ON. =. WHERE ((.= Cat ) AND (.> ( SELECT AVG() INNER JOIN ON. =. WHERE (.= Cat ) ) ) ); Query Sets (IN) SELECT.Last,.First, Item. FROM ( INNER JOIN ON. =.) INNER JOIN Item ON. = Item. WHERE (Item. In (1,2,30,32,33)) ORDER BY.Last,.First; Item Date ID First Last Field Last First Table Item Ascending Ascending Criteria In (1,2,30,32,33) List all customers () who purchased one of the following items: 1, 2, 30, 32, Copyright 2010 Jerry Post with additions & narration by M. E. Kabay. All rights reserved. 6 Copyright 2010 Jerry Post with additions & narration by M. E. Kabay. All rights reserved.

2 Using IN with a Sub-query List all customers who bought items for cats. SELECT.Last,.First, Item. FROM ( INNER JOIN ON. =.) INNER JOIN Item ON. = Item. WHERE (Item. In (SELECT ID FROM Merchandise WHERE = Cat ) t ) ); SubQuery (IN: Look up a Set) SELECT.Last,.First FROM INNER JOIN ON. =. WHERE ((Month([Date])=3)) And. In (SELECT FROM WHERE (Month([Date])=5) ); First Last Date Last First Adkins Inga McCain Sam Gi Grimes Earl Field Last First Month(Date) Table Ascending Ascending Criteria 3 In (SELECT FROM State WHERE (Month(Date)=5) List all of the customers who bought something in March and who also bought something in May. (Two tests on the same data!) 7 Copyright 2010 Jerry Post with additions & narration by M. E. Kabay. All rights reserved. 8 Copyright 2010 Jerry Post with additions & narration by M. E. Kabay. All rights reserved. SubQuery (ANY, ALL) Find animals that sold for more than any of the prices of cats (= find animals that sold for more than the greatest price of any cat) SELECT.,,, ListPrice INNER JOIN ON. =. WHERE (( > Any (SELECT ListPrice INNER JOIN ON. =. WHERE = Cat )) AND (= Cat ); Any: value is compared to each item in the list. If it is True for any of the items, the statement is evaluated to True. All: value is compared to each item in the list. If it is True for every item in the list, the statement is evaluated to True (much more restrictive than any). 9 Copyright 2010 Jerry Post with additions & narration by M. E. Kabay. All rights reserved. SubQuery: NOT IN (Subtract) SELECT.,.,. WHERE (. Not In (SELECT From )); Field Table Criteria Not In (SELECT FROM ) Start with list of all animals. Subtract out list of those who were sold. 10 Copyright 2010 Jerry Post with additions & narration by M. E. Kabay. All rights reserved. 12 Leisha Dog 19 Gene Dog 25 Vivian Dog 34 Rhonda Dog 88 Brandy Dog 181 Fish SELECT.,,, ListPrice INNER JOIN ON. =.. SubQuery: NOT IN (Data) ID 2 Fish Angel 4 Gary Dog Dalmation 5 Fish Shark 6 Rosie Cat iental Shorthair 7 Eugene Cat Bombay 8 Miranda Dog Norfolk Terrier 9 Fish Guppy 10 Sherri Dog Siberian i Huskie 11 Susan Dog Dalmation 12 Leisha Dog Rottweiler 11 Copyright 2010 Jerry Post with additions & narration by M. E. Kabay. All rights reserved. ID 2 35 $ $ $ $ $ $ $ SELECT.,.,. WHERE (. Not In (SELECT From )); Start with list of all animals. Subtract out list of those who were sold. Left Outer Join SELECT.,.,.,. LEFT JOIN ON. =. WHERE (. Is Null); 12 Leisha Dog 19 Gene Dog 25 Vivian Dog 34 Rhonda Dog 88 Brandy Dog 181 Fish Field Table Criteria Is Null LEFT JOIN includes all rows from left table () But only those from right table () that match a row in on. Thus rows in without matching data in will have Null data for. and. 12 Copyright 2010 Jerry Post with additions & narration by M. E. Kabay. All rights reserved. FROM INNER JOIN ON. =.

3 Left Outer Join (Example) ID 2 Fish Angel 4 Gary Dog Dalmation 5 Fish Shark 6 Rosie Cat iental Shorthair 7 Eugene Cat Bombay 8 Miranda Dog Norfolk Terrier 9 Fish Guppy 10 Sherri Dog Siberian Huskie 11 Susan Dog Dalmation a 12 Leisha Dog Rottweiler ID 2 35 $ $ $ $ $ $ $ SubQuery for Computation SELECT.,.,. INNER JOIN ON. =. WHERE ((.= Cat ) AND (.> ( SELECT AVG() INNER JOIN ON. =. WHERE (.= Cat ) ) ) ); Don t know the average, so use a subquery to compute it. Watch parentheses. Field Table Descending Criteria 3 > (SELECT Avg() INNER JOIN ON. =. WHERE. = Cat ) 13 Copyright 2010 Jerry Post with additions & narration by M. E. Kabay. All rights reserved. 14 Copyright 2010 Jerry Post with additions & narration by M. E. Kabay. All rights reserved. Correlated Subquery List the s that have sold for a price higher than the average for animals in that. SELECT,,, INNER JOIN ON. =. WHERE (.> (SELECT Avg(.) INNER JOIN ON. =. WHERE (. =.) ) ) ORDER BY. DESC; The subquery needs to compute the average for a given category. Problem: Which category? Answer: the category that matches the category from the main part of the query. Problem: How do we refer to it? Both tables are called. This query will not work yet. Correlated SubQuery (Avoid) Match category in subquery with top level Rename tables (As) Correlated Subquery Recompute subquery for every row in top level--slow! Better to compute and save Subquery, then use in join. SELECT A1., A1., A1.,. As A1 INNER JOIN ON A1. =. WHERE (.> (SELECT Avg(.) As A2 INNER JOIN This is recomputed ON A2. =. for every new WHERE (A2. = A1.) ) ) category ORDER BY. DESC; List the s that have sold for a price higher than the average for animals in that. 15 Copyright 2010 Jerry Post with additions & narration by M. E. Kabay. All rights reserved. 16 Copyright 2010 Jerry Post with additions & narration by M. E. Kabay. All rights reserved. Correlated Subquery Problem + Fish $10.80 Dog $ Fish $19.80 Cat $ Cat $ Dog $ Fish $1.80 Dog $ Dog $ Compute Avg: $37.78 Compute Avg: $ Compute Avg: $37.78 Compute Avg: $ Compute Avg: $ Recompute average for every row in the main query! More Efficient Solution: 2 queries + Fish $10.80 Dog $ Fish $19.80 Cat $ Cat $ Dog $ Fish $1.80 Dog $ Dog $ JOIN. = Query1. Saved Query AvgOf Bird $ Cat $ Dog $ Fish $37.78 Mammal $80.72 Reptile $ Spider $ Assume small query 100,000 rows 5 categories of 20,000 rows 100,000 * 20,000 = 1 billion rows to read! Compute the averages once and save query JOIN saved query to main query Two passes through table: 1 billion / 200,000 => 10, Copyright 2010 Jerry Post with additions & narration by M. E. Kabay. All rights reserved. 18 Copyright 2010 Jerry Post with additions & narration by M. E. Kabay. All rights reserved.

4 UNION Operator SELECT EID,,, Salary, East AS Office FROM EmployeeEast UNION SELECT EID,,, Salary, West AS Office FROM EmployeeWest EID Salary Office 352 Jones ,000 East 876 Inez ,000 East 372 Stoiko ,000 East 890 Smythe ,000 West 361 Kim ,000 West Offices in Los Angeles and New York. Each has an Employee table (East and West). Need to search data from both tables. Columns in the two SELECT lines must match. UNION, INTERSECT, EXCEPT A B C T1 T2 T1 UNION T2 T1 INTERSECT T2 T1 EXCEPT T2 A + B + C B A List the name of any employee who has worked for both the East and West regions. SELECT EID, FROM EmployeeEast INTERSECT SELECT EID, FROM EmployeeWest 19 Copyright 2010 Jerry Post with additions & narration by M. E. Kabay. All rights reserved. 20 Copyright 2010 Jerry Post with additions & narration by M. E. Kabay. All rights reserved. Multiple JOIN Columns DateBorn Gender... SELECT * FROM INNER JOIN ON. =. AND. =. Reflexive Join SQL SELECT Employee.EID, Employee., Employee.Manager, E2. FROM Employee INNER JOIN Employee AS E2 ON Employee.Manager = E2.EID EID Employee EID... Manager 115 Sanchez Miller Hawk Munoz 886 Result EID Manager 115 Sanchez 765 Munoz 462 Miller 115 Sanchez 523 Hawk 115 Sanchez Sometimes need to JOIN tables on more than one column. PetStore: and. 21 Copyright 2010 Jerry Post with additions & narration by M. E. Kabay. All rights reserved. Need to connect a table to itself. Common example: Employee(EID,,..., Manager) A manager is also an employee. Use a second copy of the table and an alias. 22 Copyright 2010 Jerry Post with additions & narration by M. E. Kabay. All rights reserved. CASE Function Select, CASE WHEN Date()-DateBorn < 90 Then Baby WHEN Date()-DateBorn >= 90 AND Date()-DateBorn < 270 Then Young WHEN Date()-DateBorn >= 270 AND Date()-DateBorn < 365 Then Grown ELSE Experienced END ; Not available in Microsoft Access. It is in SQL Server and acle. Used to change data to a different context. Example: Define age categories for the animals. Less than 3 months Between 3 months and 9 months Between 9 months and 1 year Over 1 year Inequality Join AccountsReceivable ( AR ) Categorize by Days Late 30, 90, 120+ Three queries? Better: JOIN to new table for business rules AR(TransactionID,, Amount, DateDue) Late(, t t MinDays, MaxDays, Charge, ) Month % Quarter % Overdue % SELECT * FROM AR INNER JOIN Late ON ((Date() - AR.DateDue) >= Late.MinDays) AND ((Date() - AR.DateDue) < Late.MaxDays) 23 Copyright 2010 Jerry Post with additions & narration by M. E. Kabay. All rights reserved. 24 Copyright 2010 Jerry Post with additions & narration by M. E. Kabay. All rights reserved.

5 SQL SELECT: REVIEW SELECT DISTINCT Table.Column {AS alias},... FROM Table/Query INNER JOIN Table/Query ON T1.ColA = T2.ColB WHERE (condition) GROUP BY Column HAVING (group condition) ORDER BY Table.Column { Union second select } SQL Mnemonic Someone SELECT From FROM Ireland INNER JOIN Will WHERE Grow GROUP BY Horseradish and HAVING Onions ORDER BY SQL is picky about putting the commands in the proper sequence. If you have to memorize the sequence, this mnemonic may be helpful. 25 Copyright 2010 Jerry Post with additions & narration by M. E. Kabay. All rights reserved. 26 Copyright 2010 Jerry Post with additions & narration by M. E. Kabay. All rights reserved. Homework Study Chapter 5 pp carefully using SQ3R Use the Review Questions 1-8 on pp to challenge yourselves. Recommended exercises: Sally s Pets: previous classes completed all 25 of these exercises within two weeks and sweated blood to do so You can tackle them without pressure. Do at least the first 10 to apply the theory USE THE SQL INTERPRETER IN MS-ACCESS TO TEST ALL YOUR QUERIES Solutions will be distributed after the Spring Break. DISCUSSION 27 Copyright 2010 Jerry Post with additions & narration by M. E. Kabay. All rights reserved. 28 Copyright 2010 Jerry Post with additions & narration by M. E. Kabay. All rights reserved.

INFO 1103 Homework Project 2

INFO 1103 Homework Project 2 INFO 1103 Homework Project 2 February 15, 2018 Due March 14, 2018, at the end of the lecture period. 1 Introduction In this project, you will design and create the appropriate tables for a version of the

More information

A selection of the types of electronic ear tags available for sheep

A selection of the types of electronic ear tags available for sheep Electronic Identification (EID) of Sheep Frank Hynes Sheep Specialist, Animal and Grassland Research & Innovation Centre, Teagasc, Mellows Campus, Athenry, Co. Galway. Electronic identification (tagging)

More information

Lab 6: Energizer Turtles

Lab 6: Energizer Turtles Lab 6: Energizer Turtles Screen capture showing the required components: 4 Sliders (as shown) 2 Buttons (as shown) 4 Monitors (as shown) min-pxcor = -50, max-pxcor = 50, min-pycor = -50, max-pycor = 50

More information

Data Modeling and Database Design

Data Modeling and Database Design INF1343, Winter 2012 Data Modeling and Database Design Yuri Takhteyev Faculty of Information University of Toronto This presentation is licensed under Creative Commons Attribution License, v. 3.0. To view

More information

Pasco County Animal Services

Pasco County Animal Services Photo Animal # Name Breed Species Gender Intake Type Area Found A39649888 Myrah Domestic Shorthair - Mix Cat Female Owner/Guardian Surrender - Owner Release - Eviction From Residence Hudson A39649907 Gatito

More information

Sarasota County Fair Poultry Project Book

Sarasota County Fair Poultry Project Book Sarasota County Fair Poultry Project Book Exhibitor Name Project Year Date of Birth Age (at Sept. 1) Grade Club / Chapter Years in this project I hereby certify, as the exhibitor of this project, I personally

More information

INFO 1103 Homework Project 1

INFO 1103 Homework Project 1 INFO 1103 Homework Project 1 January 22, 2018 Due February 7, at the end of the lecture period. 1 Introduction Many people enjoy dog shows. In this homework, you will focus on modelling the data represented

More information

The AP-Petside.com Poll

The AP-Petside.com Poll The AP-Petside.com Poll Conducted by GfK Roper Public Affairs & Corporate Communications Interview dates: October 13 October 20, 2010: Interviews: 1,000 pet owners Margin of error: +/- 4.0 percentage points

More information

Pasco County Animal Services

Pasco County Animal Services Intake Report for 3/9/2019 Photo Animal # Name Breed Species Gender Intake Type Area Found A41032039 A. J. Domestic Shorthair - Cat Male Owner/Guardian Surrender - Guardian Release - Health of Owner /

More information

Integrated Math 1 Honors Module 2 Honors Systems of Equations and Inequalities

Integrated Math 1 Honors Module 2 Honors Systems of Equations and Inequalities 1 Integrated Math 1 Honors Module 2 Honors Systems of Equations and Inequalities Adapted from The Mathematics Vision Project: Scott Hendrickson, Joleigh Honey, Barbara Kuehl, Travis Lemon, Janet Sutorius

More information

HART Hoopeston Animal Rescue Team

HART Hoopeston Animal Rescue Team 901 West Main Street Hoopeston, Illinois 60942 - HART Hoopeston Animal Rescue Team 901 West Main Street Hoopeston, IL. 60942 217 283 0779 Fax 217 283 7963 DOG ADOPTION QUESTIONNAIRE It is our policy to

More information

A characterisation for markings of the smooth snake (Coronella austriaca)

A characterisation for markings of the smooth snake (Coronella austriaca) A characterisation for markings of the smooth snake (Coronella austriaca) Steve Langham Surrey Amphibian and Reptile Group (SARG) November 2018 Characterisation of smooth snake (Coronella austriaca) markings:

More information

AMITY. Biodiversity & Its Conservation. Lecture 23. Categorization of Biodiversity - IUCN. By Prof. S. P. Bajpai. Department of Environmental Studies

AMITY. Biodiversity & Its Conservation. Lecture 23. Categorization of Biodiversity - IUCN. By Prof. S. P. Bajpai. Department of Environmental Studies Lecture 23 Biodiversity & Its Conservation Categorization of Biodiversity - IUCN By Prof. S. P. Bajpai 2 Endangered and Endemic Species Endemism is the ecological state of a species being unique to a defined

More information

Q: How does Petland ensure it purchases the best/healthiest puppies?

Q: How does Petland ensure it purchases the best/healthiest puppies? Q: How does Petland ensure it purchases the best/healthiest puppies? A: Petland stores are independently owned and operated, and each franchisee is responsible for choosing healthy pets offered to Petland

More information

Reproducible for Educational Use Only This guide is reproducible for educational use only and is not for resale. Enslow Publishers, Inc.

Reproducible for Educational Use Only This guide is reproducible for educational use only and is not for resale. Enslow Publishers, Inc. Which Animal Is Which? Introduction This teacher s guide helps children learn about some animals that people often mix up. Following the principle of science as inquiry, readers discover the fun of solving

More information

BIOLOGY Pam Dodman WALCH EDUCATION

BIOLOGY Pam Dodman WALCH EDUCATION BIOLOGY Pam Dodman WALCH EDUCATION The classroom teacher may reproduce materials in this book for classroom use only. The reproduction of any part for an entire school or school system is strictly prohibited.

More information

Name Date Period. Percent Unit. Part A - Basic Percent Questions Review

Name Date Period. Percent Unit. Part A - Basic Percent Questions Review Name Date Period Percent Unit Part A - Basic Percent Questions Review 1. In a group of 75 fourth graders, 20% do not like hot chocolate. How many students like hot chocolate? 2. The center on the basketball

More information

b. vulnerablebreeds.csv Statistics on vulnerable breeds for the years 2003 through 2015 [1].

b. vulnerablebreeds.csv Statistics on vulnerable breeds for the years 2003 through 2015 [1]. Background Information The Kennel Club is the United Kingdom s largest organization dedicated to the health and welfare of dogs. The group recognizes 211 breeds of dogs divided into seven groups: hounds,

More information

Applied Information and Communication Technology. Unit 3: The Knowledge Worker January 2010 Time: 2 hours 30 minutes

Applied Information and Communication Technology. Unit 3: The Knowledge Worker January 2010 Time: 2 hours 30 minutes Paper Reference(s) 6953/01 Edexcel GCE Applied Information and Communication Technology Unit 3: The Knowledge Worker 11 15 January 2010 Time: 2 hours 30 minutes Materials required for examination Short

More information

Livestock Quality Assurance Education for Youth Producers 2017

Livestock Quality Assurance Education for Youth Producers 2017 Livestock Quality Assurance Education for Youth Producers 2017 As a Livestock Producer: You have an important and responsible role in food production and food safety. You are visible; you are the face

More information

Pasco County Animal Services

Pasco County Animal Services Photo Animal # Name Breed Species Gender Intake Type Area Found A34366034 Boo Boo Bear Mixed Breed, Small (under 24 lbs fully grown) - Mix Dog Male Owner/Guardian Surrender - Owner Release - Quarantine

More information

The Scottish Government SHEEP AND GOAT IDENTIFICATION AND TRACEABILITY GUIDANCE FOR KEEPERS IN SCOTLAND

The Scottish Government SHEEP AND GOAT IDENTIFICATION AND TRACEABILITY GUIDANCE FOR KEEPERS IN SCOTLAND SHEEP AND GOAT IDENTIFICATION AND TRACEABILITY GUIDANCE FOR KEEPERS IN SCOTLAND March 2013 SHEEP AND GOAT IDENTIFICATION AND TRACEABILITY GUIDANCE FOR KEEPERS IN SCOTLAND March 2013 This guidance explains

More information

Characters. People. 7- Mr. Barry : 8- Filcher : 9- Jerry Barker : He's a businessman. He's Mr. Barry

Characters. People. 7- Mr. Barry : 8- Filcher : 9- Jerry Barker : He's a businessman. He's Mr. Barry 1 1 Characters People 1- Squire Gordon : 2- Joe Green: 3- Earl Smythe : The first owner who Black The boy who worked for A rich man who buys Black Beauty works for. Squire Gordon. Beauty from Squire Gordon.

More information

Solving Problems Part 2 - Addition and Subtraction

Solving Problems Part 2 - Addition and Subtraction Solving Problems Part 2 - Addition and Subtraction Remember that when you have a word problem to solve, the first step is to decide which information is needed and which is not. The next step is to decide

More information

OVERVIEW OF THE ONLINE PUPPY TRADE. Sarah Ross Companion Animals Lead Expert FOUR PAWS International

OVERVIEW OF THE ONLINE PUPPY TRADE. Sarah Ross Companion Animals Lead Expert FOUR PAWS International OVERVIEW OF THE ONLINE PUPPY TRADE Sarah Ross Companion Animals Lead Expert FOUR PAWS International QUESTION ONE How many puppies are needed annually to fulfil the demand in Europe? A 2 Million B 5 Million

More information

Bioinformatics: Investigating Molecular/Biochemical Evidence for Evolution

Bioinformatics: Investigating Molecular/Biochemical Evidence for Evolution Bioinformatics: Investigating Molecular/Biochemical Evidence for Evolution Background How does an evolutionary biologist decide how closely related two different species are? The simplest way is to compare

More information

Chapter 6: Extending Theory

Chapter 6: Extending Theory L322 Syntax Chapter 6: Extending Theory Linguistics 322 1. Determiner Phrase A. C. talks about the hypothesis that all non-heads must be phrases. I agree with him here. B. I have already introduced D (and

More information

HART Hoopeston Animal Rescue Team CAT ADOPTION QUESTIONNAIRE

HART Hoopeston Animal Rescue Team CAT ADOPTION QUESTIONNAIRE HART Hoopeston Animal Rescue Team CAT ADOPTION QUESTIONNAIRE It is our policy to make certain that each person who adopts a cat is aware of the responsibilities of pet guardianship, and is capable of and

More information

Answers to Questions about Smarter Balanced 2017 Test Results. March 27, 2018

Answers to Questions about Smarter Balanced 2017 Test Results. March 27, 2018 Answers to Questions about Smarter Balanced Test Results March 27, 2018 Smarter Balanced Assessment Consortium, 2018 Table of Contents Table of Contents...1 Background...2 Jurisdictions included in Studies...2

More information

WORSHIPFUL COMPANY OF FARRIERS RECRUITMENT OF REGISTRAR AND CRAFT SECRETARY INFORMATION PACK FOR CANDIDATES

WORSHIPFUL COMPANY OF FARRIERS RECRUITMENT OF REGISTRAR AND CRAFT SECRETARY INFORMATION PACK FOR CANDIDATES WORSHIPFUL COMPANY OF FARRIERS RECRUITMENT OF REGISTRAR AND CRAFT SECRETARY INFORMATION PACK FOR CANDIDATES The closing date for applications is 1200 midday, Friday 16 th November 2018 Message from David

More information

OFFICE OF THE CITY ADMINISTRATIVE OFFICER

OFFICE OF THE CITY ADMINISTRATIVE OFFICER REPORT FROM OFFICE OF THE CITY ADMINISTRATIVE OFFICER Date: To: From: Reference: Subject: June 2, 2010 CAO File No. 0160-01544-0000 The Council Council File No. Council District: Miguel A. Santana, City

More information

Attend TRAINING for Your Volunteer Position You will meet with a designated staff member or volunteer who will train you in your new role.

Attend TRAINING for Your Volunteer Position You will meet with a designated staff member or volunteer who will train you in your new role. Volunteer Program Interested in Volunteering? From in-shelter support to at-home foster care, volunteers are involved in every part of the work we do at our shelter. We have volunteer opportunities that

More information

Writing Simple Procedures Drawing a Pentagon Copying a Procedure Commanding PenUp and PenDown Drawing a Broken Line...

Writing Simple Procedures Drawing a Pentagon Copying a Procedure Commanding PenUp and PenDown Drawing a Broken Line... Turtle Guide Contents Introduction... 1 What is Turtle Used For?... 1 The Turtle Toolbar... 2 Do I Have Turtle?... 3 Reviewing Your Licence Agreement... 3 Starting Turtle... 3 Key Features... 4 Placing

More information

Big Box Retailer Offender, Shopper, Employee Feedback Study

Big Box Retailer Offender, Shopper, Employee Feedback Study Big Box Retailer Offender, Shopper, Employee Feedback Study Turtle Device Dr. Uma Sarmistha, Kyle Grottini, Corrie Tallman Executive Summary Introduction The Loss Prevention Research Council (LPRC) conducted

More information

Senior Northern District Fair 4-H Turkey Record Book

Senior Northern District Fair 4-H Turkey Record Book Senior Northern District Fair 4-H Turkey Record Book Name: 4-H Club: Fair Age as of January 1, of the current year: Leader s Name: Turkey Record Date Beginning Date: Ending Date: 1 P age Objectives of

More information

We are happy to rehome our dogs to good homes outside the areas we cover.

We are happy to rehome our dogs to good homes outside the areas we cover. Many thanks for your interest in offering a home to a Labrador. Initially we need to register you with us, so I am attaching an application form*. Please complete and return the application form to me.

More information

What our business is about How we will run it Prices and what we will sell Hours and time costumers can contact us Rules for the business How we will

What our business is about How we will run it Prices and what we will sell Hours and time costumers can contact us Rules for the business How we will By: Jamie & Lonna What our business is about How we will run it Prices and what we will sell Hours and time costumers can contact us Rules for the business How we will run our business How much we sell

More information

Mindful Training for Peak Performance

Mindful Training for Peak Performance Mindful Training for Peak Performance A Mental Management Seminar Kathy says: I could feel the Mental Management techniques beginning to change me. Before I even realized what was happening, we had titled

More information

Good Health Records Setup Guide for DHI Plus Health Event Users

Good Health Records Setup Guide for DHI Plus Health Event Users Outcomes Driven Health Management Good Health Records Setup Guide for DHI Plus Health Event Users A guide to setting up recording practices for the major diseases of dairy cattle on the farm Dr. Sarah

More information

Midterm Exam For Anatomy And Physiology Chapter File Type

Midterm Exam For Anatomy And Physiology Chapter File Type Midterm Exam For Anatomy And Physiology Chapter File Type We have made it easy for you to find a PDF Ebooks without any digging. And by having access to our ebooks online or by storing it on your computer,

More information

Owners and Veterinary Surgeons in the United Kingdom Disagree about what should Happen during a Small Animal Vaccination Consultation

Owners and Veterinary Surgeons in the United Kingdom Disagree about what should Happen during a Small Animal Vaccination Consultation Article Owners and Veterinary Surgeons in the United Kingdom Disagree about what should Happen during a Small Animal Vaccination Consultation Supplementary Materials: Table S1. Owner interview guide Each

More information

Reptiles Amphibians ( am-fib-ee-anz ) Fish Birds Mammals

Reptiles Amphibians ( am-fib-ee-anz ) Fish Birds Mammals Chapter 11: Page 94 In the last chapter, you learned how plants go through a natural cycle of life. It is not just plants that go through a life cycle! Animals do too! Remember the definition of species?

More information

Brandenburg German Shepherds, Suli Domínguez, c/o N th Street, Menomonie, Wisconsin, Puppy Purchase Contract and Three-Year Health Guarantee:

Brandenburg German Shepherds, Suli Domínguez, c/o N th Street, Menomonie, Wisconsin, Puppy Purchase Contract and Three-Year Health Guarantee: Brandenburg German Shepherds, Suli Domínguez, c/o N4698 90th Street, Menomonie, Wisconsin, Puppy Purchase Contract and Three-Year Health Guarantee: Purchase Date This agreement is made between Brandenburg

More information

NATURAL SELECTION SIMULATION

NATURAL SELECTION SIMULATION ANTHR 1-L BioAnthro Lab Name: NATURAL SELECTION SIMULATION INTRODUCTION Natural selection is an important process underlying the theory of evolution as proposed by Charles Darwin and Alfred Russell Wallace.

More information

Challenge Math & Summer Activities

Challenge Math & Summer Activities ! Challenge Math & Summer Activities! Name(s) Addition Squares 1 Fill in the missing numbers. Each row and column must equal 20. 8 4 9 4 7 3 0 1 2 3 4 5 6 7 8 9 Name(s) Addition Squares 2 Fill in the missing

More information

THE ARTICLE. New mammal species found

THE ARTICLE. New mammal species found THE ARTICLE New mammal species found BNE: A wildlife expert in Laos has found a new species of animal a rodent. It was found in a very strange place. Conservationist Dr Robert Timmins was walking through

More information

The Economic Impacts of the U.S. Pet Industry (2015)

The Economic Impacts of the U.S. Pet Industry (2015) The Economic s of the U.S. Pet Industry (2015) Prepared for: The Pet Industry Joint Advisory Council Prepared by: Center for Regional Analysis George Mason University February 2017 1 Center for Regional

More information

All living things are classified into groups based on the traits they share. Taxonomy is the study of classification. The largest groups into which

All living things are classified into groups based on the traits they share. Taxonomy is the study of classification. The largest groups into which All living things are classified into groups based on the traits they share. Taxonomy is the study of classification. The largest groups into which the scientists divide the groups are called kingdoms.

More information

Fostering Q&A. Indy Homes for Huskies

Fostering Q&A. Indy Homes for Huskies Fostering Q&A Indy Homes for Huskies www.indyhomesforhuskies.org Thanks for your interest in becoming a foster home for Indy Homes for Huskies. Your compassion could mean the difference between life and

More information

Finch Robot: snap levels 1-3

Finch Robot: snap levels 1-3 Finch Robot: snap levels 1-3 copyright 2017 birdbrain technologies llc the finch is a great way to get started with programming. we'll use snap!, a visual programming language, to control our finch. First,

More information

Pasco County Animal Services

Pasco County Animal Services Photo Animal # Name Breed Species Gender Intake Type Area Found A39913409 Jasmine Domestic Shorthair - Mix Cat Female Owner/Guardian Surrender - Guardian Release - Death of Owner / Family A39915687 Cat/Princess

More information

How to Get Free. Publicity Dog Daycare. By Eric R. Letendre

How to Get Free. Publicity Dog Daycare. By Eric R. Letendre How to Get Free Publicity for Your Dog Daycare By Eric R. Letendre 1 Special Bonus Report How To Get Free Publicity For Your Dog Daycare Free publicity is better than paid advertising any day of the week.

More information

My 4-H Dog Care and Training Project Record Book

My 4-H Dog Care and Training Project Record Book My 4-H Dog Care and Training Project Record Book For use by Florida 4-H Dog Care and Training project members Member name: Birth date: / / Grade: 4-H county: Address: Phone #: Years in Project: Source:

More information

Creating an EHR-based Antimicrobial Stewardship Program Session #257, March 8, 2018 David Ratto M.D., Chief Medical Information Officer, Methodist

Creating an EHR-based Antimicrobial Stewardship Program Session #257, March 8, 2018 David Ratto M.D., Chief Medical Information Officer, Methodist Creating an EHR-based Antimicrobial Stewardship Program Session #257, March 8, 2018 David Ratto M.D., Chief Medical Information Officer, Methodist Hospital of Southern California 1 Conflict of Interest

More information

For a foreign patient who has little or no knowledge of Japanese, seeking

For a foreign patient who has little or no knowledge of Japanese, seeking For a foreign patient who has little or no knowledge of Japanese, seeking medical treatment in Japan can be both frustrating and frightening. Medical professionals need to be sensitive to this and should

More information

Dasher Web Service USER/DEVELOPER DOCUMENTATION June 2010 Version 1.1

Dasher Web Service USER/DEVELOPER DOCUMENTATION June 2010 Version 1.1 Dasher Web Service USER/DEVELOPER DOCUMENTATION June 2010 Version 1.1 Credit for the instructional design theory and algorithms employed by Dasher goes to James Pusack and Sue Otto of The University of

More information

Sample Questions: EXAMINATION I Form A Mammalogy -EEOB 625. Name Composite of previous Examinations

Sample Questions: EXAMINATION I Form A Mammalogy -EEOB 625. Name Composite of previous Examinations Sample Questions: EXAMINATION I Form A Mammalogy -EEOB 625 Name Composite of previous Examinations Part I. Define or describe only 5 of the following 6 words - 15 points (3 each). If you define all 6,

More information

Remote Vibration Trainer. Training Guide

Remote Vibration Trainer. Training Guide Remote Vibration Trainer Training Guide Thank you for choosing the PetSafe Brand. You and your pet deserve a companionship that includes memorable moments and a shared understanding together. Our products

More information

Teacher Edition. Lizard s Tail. alphakids. Written by Mark Gagiero Illustrated by Kelvin Hucker

Teacher Edition. Lizard s Tail. alphakids. Written by Mark Gagiero Illustrated by Kelvin Hucker Teacher Edition Lizard s Tail alphakids Written by Mark Gagiero Illustrated by Kelvin Hucker Published edition Eleanor Curtain Publishing 2004 First published 2004 Apart from any fair dealing for the purposes

More information

PNCC Dogs Online. Customer Transactions Manual

PNCC Dogs Online. Customer Transactions Manual PNCC Dogs Online Customer Transactions Manual Your registration code can be found under the Owner Number section of the Application to Register Dog/s form as shown below: Oasis ID 5535356 1 Table of Contents

More information

Sandalot Border Terriers. Puppy Questionare

Sandalot Border Terriers. Puppy Questionare Sandalot Border Terriers Puppy Questionare This questionnaire is designed to help make sure that a Border Terrier is the right choice for you and your family. Buying a puppy or a dog is a lifetime, serious

More information

Mid Devon District Council HOUSING PETS AND

Mid Devon District Council HOUSING PETS AND Mid Devon District Council HOUSING SERVICES PETS AND ANIMALS POL ICY September 2011 v3.5 Contents PART 1: Statement of Policies Policy Statement 2 Definitions 2 Keeping Animals and Pets 2 General Rules

More information

Capture and Marking of Birds: Field Methods for European Starlings

Capture and Marking of Birds: Field Methods for European Starlings WLF 315 Wildlife Ecology I Lab Fall 2012 Capture and Marking of Birds: Field Methods for European Starlings Objectives: 1. Introduce field methods for capturing and marking birds. 2. Gain experience in

More information

Feeding the Commercial Egg-Type Replacement Pullet 1

Feeding the Commercial Egg-Type Replacement Pullet 1 PS48 Feeding the Commercial Egg-Type Replacement Pullet 1 Richard D. Miles and Jacqueline P. Jacob 2 TODAY'S PULLET Advances in genetic selection make today's pullets quite different from those of only

More information

Congratulations on obtaining your Canine Breed Composition DNA Analysis

Congratulations on obtaining your Canine Breed Composition DNA Analysis Congratulations on obtaining your Canine Breed Composition DNA Analysis Thank you for choosing Viaguard Accu-Metrics In the following pages you will find: Your dog s Canine Breed Composition DNA Analysis

More information

Comparative Physiology 2007 Second Midterm Exam. 1) 8 pts. 2) 14 pts. 3) 12 pts. 4) 17 pts. 5) 10 pts. 6) 8 pts. 7) 12 pts. 8) 10 pts. 9) 9 pts.

Comparative Physiology 2007 Second Midterm Exam. 1) 8 pts. 2) 14 pts. 3) 12 pts. 4) 17 pts. 5) 10 pts. 6) 8 pts. 7) 12 pts. 8) 10 pts. 9) 9 pts. Name: Comparative Physiology 2007 Second Midterm Exam 1) 8 pts 2) 14 pts 3) 12 pts 4) 17 pts 5) 10 pts 6) 8 pts 7) 12 pts 8) 10 pts 9) 9 pts Total 1. Cells I and II, shown below, are found in the gills

More information

Ontario County Kennel Club Friday, June 8, 2018 to Sunday, June 10, 2018 JUDGING SCHEDULE. ORONO FAIRGROUNDS 2 Princess St. Orono, Ontario L0B 1M0

Ontario County Kennel Club Friday, June 8, 2018 to Sunday, June 10, 2018 JUDGING SCHEDULE. ORONO FAIRGROUNDS 2 Princess St. Orono, Ontario L0B 1M0 Ontario County Kennel Club Friday, June 8, 2018 to Sunday, June 10, 2018 JUDGING SCHEDULE ORONO FAIRGROUNDS 2 Princess St. Orono, Ontario L0B 1M0 Eastlake Cavalier Club All Breed Sanction Match Friday,

More information

Topic: Traits, Genes, & Alleles. Essential Question: How are an organism s traits connected to its genes?

Topic: Traits, Genes, & Alleles. Essential Question: How are an organism s traits connected to its genes? Topic: Traits, Genes, & Alleles Essential Question: How are an organism s traits connected to its genes? The problem with the gene pool is that there is no lifeguard. - Steven Wright 2/16/16 Genetics Mendel

More information

PNCC Dogs Online. Customer Transactions Manual

PNCC Dogs Online. Customer Transactions Manual PNCC Dogs Online Customer Transactions Manual Your registration code can be found under the Owner Number section of the Application to Register Dog/s form as shown below: Oasis ID 5535356 1 Table of Contents

More information

Getting Started with Java Using Alice. 1 Copyright 2013, Oracle and/or its affiliates. All rights reserved.

Getting Started with Java Using Alice. 1 Copyright 2013, Oracle and/or its affiliates. All rights reserved. Getting Started with Java Using Alice Use Functions 1 Copyright 2013, Oracle and/or its affiliates. All rights Objectives This lesson covers the following objectives: Use functions to control movement

More information

THE AP-Petside.com POLL

THE AP-Petside.com POLL GfK Custom Research North America THE AP-Petside.com POLL Conducted by GfK Roper Public Affairs & Media Interview dates: May 28-June 1, 2009 Interviews: 1,110 pet owners Margin of error: +/- 2.9 percentage

More information

2 How Does Evolution Happen?

2 How Does Evolution Happen? CHAPTER 10 2 How Does Evolution Happen? SECTION The Evolution of Living Things 7.3.b California Science Standards BEFORE YOU READ After you read this section, you should be able to answer these questions:

More information

A Dog s Life. Unit 7. Speaking. Vocabulary - Dogs. Dog breeds: poodle husky German shepherd Labrador Yorkshire terrier

A Dog s Life. Unit 7. Speaking. Vocabulary - Dogs. Dog breeds: poodle husky German shepherd Labrador Yorkshire terrier 07 Speaking 1 Vocabulary - Dogs Dog breeds: poodle husky German shepherd Labrador Yorkshire terrier Taking care of a dog: walk it feed it wash it take it to a vet play with it 1 2 3 5 6 4 58 2 Questions

More information

Austin K-9 Xpress Beginner Agility Class Registration Packet

Austin K-9 Xpress Beginner Agility Class Registration Packet Austin K-9 Xpress Beginner Agility Class Registration Packet Thank you for your interest in our Level 1: Beginner Agility class. This is your registration packet, which includes: registration form, two

More information

My 4-H Animal Project

My 4-H Animal Project My 4-H Animal Project Complete this form for ALL animal projects. If you are enrolled in both the BREEDING and MARKET project for a species, you may choose to do separate records for each or put both projects

More information

Robbins Basic Pathology: With VETERINARY CONSULT Access, 8e (Robbins Pathology) PDF

Robbins Basic Pathology: With VETERINARY CONSULT Access, 8e (Robbins Pathology) PDF Robbins Basic Pathology: With VETERINARY CONSULT Access, 8e (Robbins Pathology) PDF Veterinary ConsultThe Veterinary Consult version of this title provides electronic access to the complete content of

More information

Pasco County Animal Services

Pasco County Animal Services Intake Report for 2/22/2019 Photo Animal # Name Breed Species Gender Intake Type Area Found A40826209 Mia Boxer - Mix Dog Unknown Owner/Guardian Surrender - Owner Request Disposal - DOA A39970825 Bite

More information

September, We are shocked to see that the majority of the Crops Subcommittee found that streptomycin meets all

September, We are shocked to see that the majority of the Crops Subcommittee found that streptomycin meets all September, 2013 National Organic Standards Board Fall 2013 Meeting Louisville, KY Re. CS: Streptomycin petition These comments are submitted on behalf of Beyond Pesticides. Beyond Pesticides, founded in

More information

Let s learn about ANIMALS. Level : School:.

Let s learn about ANIMALS. Level : School:. Let s learn about ANIMALS Name: Level : School:. 1. CLASSIFICATION OF ANIMALS There are many different animals and we can classify them according to: Their skeleton: Vertebrates have a skeleton but Invertebrates

More information

Set theory is useful for solving many types of problems, including Internet searches, database queries, data analyses, games, and puzzles.

Set theory is useful for solving many types of problems, including Internet searches, database queries, data analyses, games, and puzzles. Section 1.4: Applications of Set Theory Set theory is useful for solving many types of problems, including Internet searches, database queries, data analyses, games, and puzzles. Analyzing 3 intersecting

More information

Relationship Between Eye Color and Success in Anatomy. Sam Holladay IB Math Studies Mr. Saputo 4/3/15

Relationship Between Eye Color and Success in Anatomy. Sam Holladay IB Math Studies Mr. Saputo 4/3/15 Relationship Between Eye Color and Success in Anatomy Sam Holladay IB Math Studies Mr. Saputo 4/3/15 Table of Contents Section A: Introduction.. 2 Section B: Information/Measurement... 3 Section C: Mathematical

More information

European Facts & Figures

European Facts & Figures European Facts & Figures 2017 European Overview Estimated number of European Union households owning at least one pet animal 80 million households Estimated percentage of European households owning at

More information

Lesson Objectives. Core Content Objectives. Language Arts Objectives

Lesson Objectives. Core Content Objectives. Language Arts Objectives The Dog and the Manger 4 Lesson Objectives Core Content Objectives Students will: Demonstrate familiarity with The Dog in the Manger Identify character, plot, and setting as basic story elements Describe

More information

Lesson 1.3. One Way Use compatible numbers. Estimate Sums Essential Question How can you use compatible numbers and rounding to estimate sums?

Lesson 1.3. One Way Use compatible numbers. Estimate Sums Essential Question How can you use compatible numbers and rounding to estimate sums? Name Estimate Sums Essential Question How can you use compatible numbers and rounding to estimate sums? Lesson 1.3 Number and Operations in Base Ten 3.NBT.A.1 Also 3.NBT.A.2 MATHEMATICAL PRACTICES MP1,

More information

LEADERS TIP SHEET Going to the Dog Show

LEADERS TIP SHEET Going to the Dog Show LEADERS TIP SHEET Going to the Dog Show A fun program for all Girl Scouts Created by Marlene Groves 2010 Lifetime Girl Scout & Dog Show Enthusiast With thanks to the following Dog Clubs: Arapahoe KC, Rocky

More information

Clicker training is training using a conditioned (secondary) reinforcer as an event marker.

Clicker training is training using a conditioned (secondary) reinforcer as an event marker. CLICKER TRAINING Greg Barker Clicker training has relatively recently been popularized as a training technique for use with dogs. It uses scientifically based principles to develop behaviours. The process

More information

Biting, Nipping & Jumping Up

Biting, Nipping & Jumping Up PREVENTING THOSE BAD BEHAVIORS. Biting, Nipping & Jumping Up 2006-2011. www.boston-terrier-world.com THE PROBLEM WITH PUPPY AND DOG AGGRESSION Probably the most challenging aspect of working with aggression

More information

Econometric Analysis Dr. Sobel

Econometric Analysis Dr. Sobel Econometric Analysis Dr. Sobel Econometrics Session 1: 1. Building a data set Which software - usually best to use Microsoft Excel (XLS format) but CSV is also okay Variable names (first row only, 15 character

More information

English reading answer booklet

English reading answer booklet En KEY STAGE 2 English tests LEVELS 3 5 English reading answer booklet 2015 First name Middle name Last name Date of birth Day Month Year School name DfE number D00050A0120 [BLANK PAGE] Please do not write

More information

TOEIC TOEFL IELTS TRAINING

TOEIC TOEFL IELTS TRAINING DAY 26 Scientists unlock secrets to seahorses For the first time, scientists have unlocked the secrets to one of the world's most recognizable and unique, but least understood fish the seahorse. Researchers

More information

Chapter 18: Categorical data

Chapter 18: Categorical data Chapter 18: Categorical data Self-test answers SELF-TEST Run a multiple regression analysis using Cat Regression.sav with LnObserved as the outcome, and Training, Dance and Interaction as your three predictors.

More information

Position Statement. Responsible Use of Antibiotics in the Australian Chicken Meat Industry. 22 February What s the Issue?

Position Statement. Responsible Use of Antibiotics in the Australian Chicken Meat Industry. 22 February What s the Issue? 22 February 2018 Position Statement Responsible Use of Antibiotics in the Australian Chicken Meat Industry What s the Issue? Antimicrobial resistance (AMR) The use of antibiotics in both humans and animals

More information

2016 Youth Sheep Fritzi Collins Coordinator

2016 Youth Sheep Fritzi Collins Coordinator 2016 Youth Sheep Fritzi Collins Coordinator Telephone (602) 821-4211 ENTRY DEADLINE Market Lambs... August 1 Breeding Sheep... September 15 Feeder Lambs... September 15 ARRIVAL NO EARLIER THAN... Tuesday,

More information

The melanocortin 1 receptor (mc1r) is a gene that has been implicated in the wide

The melanocortin 1 receptor (mc1r) is a gene that has been implicated in the wide Introduction The melanocortin 1 receptor (mc1r) is a gene that has been implicated in the wide variety of colors that exist in nature. It is responsible for hair and skin color in humans and the various

More information

Our English teacher is Ms. Brown. ( ) from Canada.

Our English teacher is Ms. Brown. ( ) from Canada. I saw a man and his dog ( ) were swimming together in the river yesterday. that which who and Our English teacher is Ms. Brown. () from Canada. He She He s She s () you ever been to Egypt Have Do Are Did

More information

Cheetah Math Superstars

Cheetah Math Superstars Cheetah Math Superstars PARENTS: You may read the problem to your child and demonstrate a similar problem, but he/she should work the problems. Please encourage independent thinking and problem solving

More information

LEADERS TIP SHEET Going to the Dogs

LEADERS TIP SHEET Going to the Dogs LEADERS TIP SHEET Going to the Dogs Dog Show Fun & Facts Approved for use Sat. Aug. 16, 2014 At Island Grove Regional Park 501 N. 14 th Ave. Greeley, CO 80631 Sponsored By: A fun educational program for

More information

/o'r- Brooding and Rearing

/o'r- Brooding and Rearing 4-H Club Poultry Record Book /o'r- Brooding and Rearing "To Make The Best Retter" Name of Club Member ----------------..---------- ---- - Address.. - Age Year Project ------------------------- - County

More information

SCIENTIFIC REPORT. Analysis of the baseline survey on the prevalence of Salmonella in turkey flocks, in the EU,

SCIENTIFIC REPORT. Analysis of the baseline survey on the prevalence of Salmonella in turkey flocks, in the EU, The EFSA Journal / EFSA Scientific Report (28) 198, 1-224 SCIENTIFIC REPORT Analysis of the baseline survey on the prevalence of Salmonella in turkey flocks, in the EU, 26-27 Part B: factors related to

More information

Waggin Tales Summer 2016

Waggin Tales Summer 2016 Waggin Tales Summer 2016 POB 13 Redwood, MS 39156 Phone: 601-529-1535 501(c)3 nonprofit www.pawsrescuepets.org COME. SIT. PLAY. and JOIN US for a PAW-Ty! PAWS RESCUE IS 12 YEARS OLD THIS MONTH! SATURDAY

More information