Lecture 8: More on Joins

Size: px
Start display at page:

Download "Lecture 8: More on Joins"

Transcription

1 Lecture 8: More on Joins CS1106/CS5021/CS6503 Introduction to Relational Databases Dr Kieran T. Herley Department of Computer Science University College Cork 2018/19 KH (09/10/18) Lecture 8: More on Joins 2018/19 1 / 1

2 Summary Insert suitable summary here KH (09/10/18) Lecture 8: More on Joins 2018/19 2 / 1

3 Movies Database cs1106 Goes to the Movies Today we will get more practice with multi-table queris using the following simple film database movies(id, title, yr, score, votes, director) actors(id, name) castings(movieid, actorid) KH (09/10/18) Lecture 8: More on Joins 2018/19 3 / 1

4 Movies Database Movies and Actors tables movies movies(id, title, yr, score, votes, director) actors(id, name) castings(movieid, actorid) id unique id number for each movie title the name of the movie yr the year the movie was released score viewers rating (real number) director the name of the director actors id unique id number for each actor name the actor s name KH (09/10/18) Lecture 8: More on Joins 2018/19 4 / 1

5 Movies Database Castings Table role movies(id, title, yr, score, votes, director) actors(id, name) castings(movieid, actorid) Bridges movies and actors tables Models who appeared in what films attributes movieid id number of some movie actorif id number of some actor Signifies that the actor appeared in that movie KH (09/10/18) Lecture 8: More on Joins 2018/19 5 / 1

6 Query 1 Task 1960s. List the maximum score obtained by any film(s) released during the KH (09/10/18) Lecture 8: More on Joins 2018/19 6 / 1

7 Query 1 Task List the maximum score obtained by any film(s) released during the 1960s. Solution SELECT MAX(score) FROM movies WHERE yr BETWEEN 1960 AND 1969; KH (09/10/18) Lecture 8: More on Joins 2018/19 6 / 1

8 Query 2 Task List for each year the total number of films released that year and the maximum, minimum and average score obtained. KH (09/10/18) Lecture 8: More on Joins 2018/19 7 / 1

9 Query 2 Task List for each year the total number of films released that year and the maximum, minimum and average score obtained. Solution SELECT yr, COUNT( ), MIN(score), AVG(score), MAX(score) FROM movies GROUP BY yr; KH (09/10/18) Lecture 8: More on Joins 2018/19 7 / 1

10 Query 3 Task List the ids of all films starring Cary Grant. KH (09/10/18) Lecture 8: More on Joins 2018/19 8 / 1

11 Query 3 Task List the ids of all films starring Cary Grant. Issues Need both actors and castings tables KH (09/10/18) Lecture 8: More on Joins 2018/19 8 / 1

12 Query 3 cont d Task Solution List the ids of all films starring Cary Grant. SELECT movieid FROM actors JOIN castings ON id = actorid WHERE name = Cary Grant ; KH (09/10/18) Lecture 8: More on Joins 2018/19 9 / 1

13 Query 4 Task List the titles of all the films made by the director of Vertigo. KH (09/10/18) Lecture 8: More on Joins 2018/19 10 / 1

14 Query 4 Task List the titles of all the films made by the director of Vertigo. Issues Need pairs of movies: self-join of movies with itself KH (09/10/18) Lecture 8: More on Joins 2018/19 10 / 1

15 Query 4 Task List the titles of all the films made by the director of Vertigo. Issues Need pairs of movies: self-join of movies with itself KH (09/10/18) Lecture 8: More on Joins 2018/19 10 / 1

16 Query 4 cont d Task Solution List the titles of all the films made by the director of Vertigo. SELECT m2.title FROM movies AS m1 JOIN movies as m2 ON m1.director = m2.director WHERE m1.title = Vertigo ; KH (09/10/18) Lecture 8: More on Joins 2018/19 11 / 1

17 Query 5 Task List alphabetically the names of all the actors who appeared in any film released in KH (09/10/18) Lecture 8: More on Joins 2018/19 12 / 1

18 Query 5 Task List alphabetically the names of all the actors who appeared in any film released in Issues Need actor-casting-movies triples : KH (09/10/18) Lecture 8: More on Joins 2018/19 12 / 1

19 Query 5 cont d Task List alphabetically the names of all the actors who appeared in any film released in Solution SELECT actors.name, movies.title, movies.yr FROM actors JOIN castings JOIN movies ON actors.id = castings. actorid AND castings.movieid = movies.id WHERE movies.yr = 1950 ORDER BY actors.name; KH (09/10/18) Lecture 8: More on Joins 2018/19 13 / 1

20 Query 6 Task List all the films in which Marlon Brando stars that were directed by the director of The Godfather ; list the titles and years of the films concerned, arranged in increasing order by year. Plan Can use (3-way) join to generate all appearances (actor-casting-movie) by Brando Use 4-way join ((actor-casting-movie)-movie) to generate appearance-movie combinations and filter for Coppola KH (09/10/18) Lecture 8: More on Joins 2018/19 14 / 1

21 Query 6 cont d KH (09/10/18) Lecture 8: More on Joins 2018/19 15 / 1

22 Query 6 cont d Task List all the films in which Marlon Brando stars that were directed by the director of The Godfather ; list the titles and years of the films concerned, arranged in increasing order by year. Solution SELECT m1.title, m1.yr FROM actors AS a1 JOIN castings AS c1 JOIN movies AS m1 JOIN movies AS m2 ON a1.id = c1.actorid AND c1.movieid = m1.id AND m1.director = m2.director WHERE m2. title = Godfather, The AND a1.name = Marlon Brando ORDER BY m1.yr; KH (09/10/18) Lecture 8: More on Joins 2018/19 16 / 1

23 Query 7 Task List the names of all pairs of actors that have appeared together in more than four films. Issues Use join to generate all co-appearances : pairs of actor-castings relating to same film Use grouping and aggregation on join table for counting KH (09/10/18) Lecture 8: More on Joins 2018/19 17 / 1

24 Query 7 cont d Task List the names of all pairs of actors that have appeared together in more than four films. KH (09/10/18) Lecture 8: More on Joins 2018/19 18 / 1

25 Query 7 cont d Task List the names of all pairs of actors that have appeared together in more than four films. Solution SELECT a1.name, a2.name, COUNT( ) FROM actors AS a1 JOIN castings AS c1 JOIN actors AS a2 JOIN castings as c2 ON a1.id = c1.actorid AND a2.id = c2.actorid AND a1.id < a2.id AND c1.movieid = c2.movieid GROUP BY a1.name, a2.name HAVING COUNT( ) > 4 ORDER BY COUNT( ) DESC; KH (09/10/18) Lecture 8: More on Joins 2018/19 19 / 1

26 Query 8 Task List alphabetically all the actors who have appeared in a film with a score below 3.0 and also in a film with a score above 8.5. Issues Use join to genetate actor-appearance1-appearance2 tuples (where appearances1/appearances2 relate to actor) Filter to ensure appearance1 is a bad film (< 3.0) and Filter to ensure appearance2 is a good film (> 8.5) and KH (09/10/18) Lecture 8: More on Joins 2018/19 20 / 1

27 Query 8 List alphabetically all the actors who have appeared in a film with a score below 3.0 and also in a film with a score above 8.5. KH (09/10/18) Lecture 8: More on Joins 2018/19 21 / 1

28 Query 8 cont d Task List alphabetically all the actors who have appeared in a film with a score below 3.0 and also in a film with a score above 8.5. Solution SELECT a.name, m1.title, m1.score, m2. title, m2.score FROM actors AS a JOIN castings AS c1 JOIN movies AS m1 JOIN castings AS c2 JOIN movies AS m2 JOIN ON a. id = c1. actorid AND a. id = c2. actorid AND m1.id = c1.movieid AND m2.id = c2.movieid WHERE m1.score < 3.0 AND m2.score > 8.5 ORDER BY a.name; KH (09/10/18) Lecture 8: More on Joins 2018/19 22 / 1

29 Notes and Acknowledgements Reading Code Acknowledgements KH (09/10/18) Lecture 8: More on Joins 2018/19 23 / 1

1. Select the statement which lists the unfortunate directors of the movies which have caused financial loses (gross < budget)

1. Select the statement which lists the unfortunate directors of the movies which have caused financial loses (gross < budget) JOIN Quiz 2 From SQLZOO JOIN Quiz part 2 1. Select the statement which lists the unfortunate directors of the movies which have caused financial loses (gross < budget) SELECT JOIN(name FROM actor, movie

More information

SCHEMA LOGICO. key2movie(movie,keyword) plot2movie(movie,plot) goof2movie(movie,goof) altver2movie(movie,altversion) trivia2movie(movie,trivia)

SCHEMA LOGICO. key2movie(movie,keyword) plot2movie(movie,plot) goof2movie(movie,goof) altver2movie(movie,altversion) trivia2movie(movie,trivia) SCHEMA LOGICO key2movie(movie,keyword) FK: key2movie[movie] MOVIES[ID] FK:key2movie[KEYWORD] KEYWORD[word] plot2movie(movie,plot) FK: plot2movie[movie] MOVIES[ID] FK:plot2movie[PLOT] PLOT[ID] goof2movie(movie,goof)

More information

15-415: Database Applications. Project 1: Querying the MovieLens Database

15-415: Database Applications. Project 1: Querying the MovieLens Database 15-415: Database Applications Project 1: Querying the MovieLens Database School of Computer Science Carnegie Mellon University, Qatar Spring 2015 Assigned date: February 03, 2015 Due date: February 17,

More information

Milestone 4. Movie Database Group

Milestone 4. Movie Database Group Movie Database Group Milestone 4 Group Members Include: Virginia Morris, Melissa Stalnaker, Andrew Parks, David Blosser Jr., Dylan Connelly, and Paul Jewett Updated E-R Diagram Updated Data Dictionary:

More information

NETFLIX MOVIE RATING ANALYSIS

NETFLIX MOVIE RATING ANALYSIS NETFLIX MOVIE RATING ANALYSIS Danny Dean EXECUTIVE SUMMARY Perhaps only a few us have wondered whether or not the number words in a movie s title could be linked to its success. You may question the relevance

More information

University of Toronto Archives and Records Management Services

University of Toronto Archives and Records Management Services University of Toronto Archives and Records Management Services Finding Aid - University of Toronto Libraries. Department of Rare Books and Special Collections (Thomas Fisher Rare Book Library) fonds (0208)

More information

INFORMATIKA ANGOL NYELVEN

INFORMATIKA ANGOL NYELVEN Informatika angol nyelven emelt szint 0911 ÉRETTSÉGI VIZSGA 2010. május 11. INFORMATIKA ANGOL NYELVEN EMELT SZINTŰ GYAKORLATI ÉRETTSÉGI VIZSGA JAVÍTÁSI-ÉRTÉKELÉSI ÚTMUTATÓ OKTATÁSI ÉS KULTURÁLIS MINISZTÉRIUM

More information

Shades of Music. Projektarbeit

Shades of Music. Projektarbeit Shades of Music Projektarbeit Tim Langer LFE Medieninformatik 28.07.2008 Betreuer: Dominikus Baur Verantwortlicher Hochschullehrer: Prof. Dr. Andreas Butz LMU Department of Media Informatics Projektarbeit

More information

Solutions York University Lassonde School of Engineering Electrical Engineering & Computer Science. EECS COMPUTER USE: Fundamentals

Solutions York University Lassonde School of Engineering Electrical Engineering & Computer Science. EECS COMPUTER USE: Fundamentals Name:, (Last name) (First name) Student Number: Registered Section: Instructor: Lew Lowther Solutions York University Lassonde School of Engineering Electrical Engineering & Computer Science EECS 1520.03

More information

1. Master of Music in Vocal Performance: Goals and Objectives

1. Master of Music in Vocal Performance: Goals and Objectives 1 1. Master of Music in Vocal Performance: Goals and Objectives 2. Doctor of Musical Arts in Vocal Performance Pedagogy and Literature: Goals and Objectives 3. Course Waivers and Transfers 4. JMU Assistantship

More information

Tone Insertion To Indicate Timing Or Location Information

Tone Insertion To Indicate Timing Or Location Information Technical Disclosure Commons Defensive Publications Series December 12, 2017 Tone Insertion To Indicate Timing Or Location Information Peter Doris Follow this and additional works at: http://www.tdcommons.org/dpubs_series

More information

IMDB Movie Review Analysis

IMDB Movie Review Analysis IMDB Movie Review Analysis IST565-Data Mining Professor Jonathan Fox By Daniel Hanks Jr Executive Summary The movie industry is an extremely competitive industry in a variety of ways. Not only are movie

More information

Product Review. Alternate Market Centers Selling CenturyLink Prism TV. This Course Will Cover:

Product Review. Alternate Market Centers Selling CenturyLink Prism TV. This Course Will Cover: Alternate Market Centers Selling CenturyLink Prism TV Product Review This Course Will Cover: What is Prism? Key Features Asking the Right Questions Installation & Equipment Available Packages Market Availability

More information

EndNote XV (fifteen): the basics (downloadable desktop version)

EndNote XV (fifteen): the basics (downloadable desktop version) EndNote XV (fifteen): the basics (downloadable desktop version) EndNote is a package for creating and storing a library of references (citations plus abstracts, notes etc) which can then be used in conjunction

More information

WHAT'S HOT: LINEAR POPULARITY PREDICTION FROM TV AND SOCIAL USAGE DATA Jan Neumann, Xiaodong Yu, and Mohamad Ali Torkamani Comcast Labs

WHAT'S HOT: LINEAR POPULARITY PREDICTION FROM TV AND SOCIAL USAGE DATA Jan Neumann, Xiaodong Yu, and Mohamad Ali Torkamani Comcast Labs WHAT'S HOT: LINEAR POPULARITY PREDICTION FROM TV AND SOCIAL USAGE DATA Jan Neumann, Xiaodong Yu, and Mohamad Ali Torkamani Comcast Labs Abstract Large numbers of TV channels are available to TV consumers

More information

Web of Science Unlock the full potential of research discovery

Web of Science Unlock the full potential of research discovery Web of Science Unlock the full potential of research discovery Hungarian Academy of Sciences, 28 th April 2016 Dr. Klementyna Karlińska-Batres Customer Education Specialist Dr. Klementyna Karlińska- Batres

More information

CURRICULUM CHECK SHEET COLLEGE OF THE ARTS ARIZONA STATE UNIVERSITY

CURRICULUM CHECK SHEET COLLEGE OF THE ARTS ARIZONA STATE UNIVERSITY Katherine K. Herberger CURRICULUM CHECK SHEET COLLEGE OF THE ARTS ARIZONA STATE UNIVERSITY List only those courses which will be SCHOOL OF MUSIC applied to your degree requirements 2007-2008 CATALOG NAME

More information

Introduction to Mendeley

Introduction to Mendeley Introduction to Mendeley What is Mendeley? Mendeley is a reference manager allowing you to manage, read, share, annotate and cite your research papers......and an academic collaboration network with 3

More information

Info Mac. Economics 2K03 Canadian Economic History. Amanda Etches-Johnson Reference Librarian. /msn:

Info Mac. Economics 2K03 Canadian Economic History. Amanda Etches-Johnson Reference Librarian.  /msn: Info Lit @ Mac Economics 2K03 Canadian Economic History Amanda Etches-Johnson Reference Librarian email/msn: library@mcmaster.ca September 14, 2006 Info Lit @ Mac Economics 2K03 Canadian Economic History

More information

Curriculum of B.Sc. Engineering Honours Degree Programme Textile & Clothing Technology

Curriculum of B.Sc. Engineering Honours Degree Programme Textile & Clothing Technology Name Category Lectures Credits Norm Evaluation (%) hrs/week Assignments GPA NGPA GPA NGPA CA WE Semester 1 MA1013 Mathematics C 3.0 1/1 3.0 20 80 CS1032 Programming Fundamentals C 2.0 3/1 3.0 20 80 ME1032

More information

Narrative Theme Navigation for Sitcoms Supported by Fan-generated Scripts

Narrative Theme Navigation for Sitcoms Supported by Fan-generated Scripts Narrative Theme Navigation for Sitcoms Supported by Fan-generated Scripts Gerald Friedland, Luke Gottlieb, Adam Janin International Computer Science Institute (ICSI) Presented by: Katya Gonina What? Novel

More information

ITU-T Y.4552/Y.2078 (02/2016) Application support models of the Internet of things

ITU-T Y.4552/Y.2078 (02/2016) Application support models of the Internet of things I n t e r n a t i o n a l T e l e c o m m u n i c a t i o n U n i o n ITU-T TELECOMMUNICATION STANDARDIZATION SECTOR OF ITU Y.4552/Y.2078 (02/2016) SERIES Y: GLOBAL INFORMATION INFRASTRUCTURE, INTERNET

More information

CS311: Data Communication. Transmission of Digital Signal - I

CS311: Data Communication. Transmission of Digital Signal - I CS311: Data Communication Transmission of Digital Signal - I by Dr. Manas Khatua Assistant Professor Dept. of CSE IIT Jodhpur E-mail: manaskhatua@iitj.ac.in Web: http://home.iitj.ac.in/~manaskhatua http://manaskhatua.github.io/

More information

THEORY AND PRACTICE OF CLASSIFICATION

THEORY AND PRACTICE OF CLASSIFICATION THEORY AND PRACTICE OF CLASSIFICATION SESSION 4 SUBJECT APPROACH TO INFORMATION MANAGEMENT Lecturer: Ms. Patience Emefa Dzandza Contact Information: pedzandza@ug.edu.gh College of Education School of Continuing

More information

EndNote Web. Quick Reference Card THOMSON SCIENTIFIC

EndNote Web. Quick Reference Card THOMSON SCIENTIFIC THOMSON SCIENTIFIC EndNote Web Quick Reference Card Web is a Web-based service designed to help students and researchers through the process of writing a research paper. ISI Web of Knowledge, EndNote,

More information

SIP Project Report Format

SIP Project Report Format SIP Project Report Format 1. Introduction This document describes the standard format for CP3200/CP3202: Student Internship Programme (SIP) project reports. Students should ensure their reports conform

More information

Supplementary Note. Supplementary Table 1. Coverage in patent families with a granted. all patent. Nature Biotechnology: doi: /nbt.

Supplementary Note. Supplementary Table 1. Coverage in patent families with a granted. all patent. Nature Biotechnology: doi: /nbt. Supplementary Note Of the 100 million patent documents residing in The Lens, there are 7.6 million patent documents that contain non patent literature citations as strings of free text. These strings have

More information

EndNote X6: the basics (downloadable desktop version)

EndNote X6: the basics (downloadable desktop version) EndNote X6: the basics (downloadable desktop version) EndNote is a package for creating and storing a library of references (citations plus abstracts, notes etc) which can then be used in conjunction with

More information

ManusOnLine. the Italian proposal for manuscript cataloguing: new implementations and functionalities

ManusOnLine. the Italian proposal for manuscript cataloguing: new implementations and functionalities CERL Seminar Paris, Bibliothèque nationale October 20, 2016 ManusOnLine. the Italian proposal for manuscript cataloguing: new implementations and functionalities 1. A retrospective glance The first project

More information

JMU SCHOOL OF MUSIC VOICE AREA GRADUATE HANDBOOK

JMU SCHOOL OF MUSIC VOICE AREA GRADUATE HANDBOOK JMU SCHOOL OF MUSIC VOICE AREA GRADUATE HANDBOOK 2018-19 Index Topic Page 1. Master of Music in Vocal Performance: Goals and Objectives... 2 2. Doctor of Musical Arts in Vocal Performance Pedagogy and

More information

LMS301: Reference Management Software (Mendeley)

LMS301: Reference Management Software (Mendeley) LMS301: Reference Management Software (Mendeley) What is Mendeley? Mendeley is a reference manager allowing you to manage, read, share, annotate and cite your research papers. Installation Guide for Mendeley

More information

English 1010 Presentation Guide. Tennessee State University Home Page

English 1010 Presentation Guide. Tennessee State University Home Page English 1010 Presentation Guide Tennessee State University Home Page The Library Link is displayed on the blue box on the left side Tennessee State University s home page. Tennessee State University Libraries

More information

Music Processing Introduction Meinard Müller

Music Processing Introduction Meinard Müller Lecture Music Processing Introduction Meinard Müller International Audio Laboratories Erlangen meinard.mueller@audiolabs-erlangen.de Music Music Information Retrieval (MIR) Sheet Music (Image) CD / MP3

More information

Relational processes. Participants in Attributive relational processes. 1 describing things 4/26/2017. Relational processes. 1 describing things

Relational processes. Participants in Attributive relational processes. 1 describing things 4/26/2017. Relational processes. 1 describing things Relational processes Relational processes Processes of being and having 3 types: ) Describing things; Verb = be or have (+synonyms) 2) Identifying things Verb = be or have (+synonyms) 3) Representing the

More information

Networks of Things. J. Voas Computer Scientist. National Institute of Standards and Technology

Networks of Things. J. Voas Computer Scientist. National Institute of Standards and Technology Networks of Things J. Voas Computer Scientist National Institute of Standards and Technology 1 2 Years Ago We Asked What is IoT? 2 The Reality No universally-accepted and actionable definition exists to

More information

Finding Periodical Articles

Finding Periodical Articles Unit 10 Finding Periodical Articles Desired Outcomes Student understands when to use a periodical rather than a book Student understands the purpose of periodical indexes Student understands that a periodical

More information

AGENDA BOOKS (Elementary, Middle & High Schools)

AGENDA BOOKS (Elementary, Middle & High Schools) AGENDA BOOKS (Elementary, Middle & High Schools) BID ID 6727 BEGINS: June 1, 2013 ENDS: May 31, 2014 THIS BID HAS BEEN RENEWED THROUGH MAY 31, 2016 THIS BID HAS BEEN RENEWED THROUGH MAY 31, 2017 Options

More information

What can EndNote do?

What can EndNote do? EndNote Introductory Tutorial 1 What is EndNote? EndNote is bibliographic management software, designed to allow researchers to record, organize, and use references found when searching literature for

More information

PICK THE RIGHT TEAM AND MAKE A BLOCKBUSTER A SOCIAL ANALYSIS THROUGH MOVIE HISTORY

PICK THE RIGHT TEAM AND MAKE A BLOCKBUSTER A SOCIAL ANALYSIS THROUGH MOVIE HISTORY PICK THE RIGHT TEAM AND MAKE A BLOCKBUSTER A SOCIAL ANALYSIS THROUGH MOVIE HISTORY THE CHALLENGE: TO UNDERSTAND HOW TEAMS CAN WORK BETTER SOCIAL NETWORK + MACHINE LEARNING TO THE RESCUE Previous research:

More information

Outline. Why do we classify? Audio Classification

Outline. Why do we classify? Audio Classification Outline Introduction Music Information Retrieval Classification Process Steps Pitch Histograms Multiple Pitch Detection Algorithm Musical Genre Classification Implementation Future Work Why do we classify

More information

MUSI-6201 Computational Music Analysis

MUSI-6201 Computational Music Analysis MUSI-6201 Computational Music Analysis Part 9.1: Genre Classification alexander lerch November 4, 2015 temporal analysis overview text book Chapter 8: Musical Genre, Similarity, and Mood (pp. 151 155)

More information

Movie tickets online ordering platform

Movie tickets online ordering platform Movie tickets online ordering platform Jack Wang Department of Industrial Engineering and Engineering Management, National Tsing Hua University, 101, Sec. 2, Kuang-Fu Road, Hsinchu, 30013, Taiwan Abstract

More information

APA. Research and Style Manual. York Catholic High School Edition

APA. Research and Style Manual. York Catholic High School Edition APA Research and Style Manual York Catholic High School 2017-2018 Edition Introduction Over the course of their careers at York Catholic High School, students are required to research and to properly cite

More information

Citation & Journal Impact Analysis

Citation & Journal Impact Analysis Citation & Journal Impact Analysis Several University Library article databases may be used to gather citation data and journal impact factors. Find them at library.otago.ac.nz under Research. Citation

More information

Using the Book Expert in Scholastic Achievement Manager

Using the Book Expert in Scholastic Achievement Manager Using the Book Expert in Scholastic Achievement Manager For use with SAM v.1.8.1 Copyright 2009, 2005 by Scholastic Inc. All rights reserved. Published by Scholastic Inc. SCHOLASTIC, SYSTEM 44, SCHOLASTIC

More information

Should you have any questions that aren t answered here, simply call us at Live Connected.

Should you have any questions that aren t answered here, simply call us at Live Connected. Interactive TV User Guide This is your video operations manual. It provides simple, straightforward instructions for your TV service. From how to use your Remote Control to Video On Demand, this guide

More information

***Please be aware that there are some issues of compatibility between all current versions of EndNote and macos Sierra (version 10.12).

***Please be aware that there are some issues of compatibility between all current versions of EndNote and macos Sierra (version 10.12). EndNote for Mac Note of caution: ***Please be aware that there are some issues of compatibility between all current versions of EndNote and macos Sierra (version 10.12). *** Sierra interferes with EndNote's

More information

Fifteenth Annual University of Oregon Eugene Luks Programming Competition

Fifteenth Annual University of Oregon Eugene Luks Programming Competition Fifteenth Annual University of Oregon Eugene Luks Programming Competition Saturday, April 9, 2011 Problem Contributors Jim Allen David Atkins Gene Luks Prizes and food provided by Pipeworks A REFLECTIONS

More information

Evaluation Tools. Journal Impact Factor. Journal Ranking. Citations. H-index. Library Service Section Elyachar Central Library.

Evaluation Tools. Journal Impact Factor. Journal Ranking. Citations. H-index. Library Service Section Elyachar Central Library. Evaluation Tools Journal Impact Factor Journal Ranking Citations H-index Page 1 of 12 Journal Impact Factor Journal Citation Reports is a comprehensive resource that allows you to evaluate and compare

More information

Reference Management using Endnote, Desktop. Workbook & Guide. Aims and Learning Objectives. Did You Know?

Reference Management using Endnote, Desktop. Workbook & Guide. Aims and Learning Objectives. Did You Know? Reference Management using Endnote, Desktop Workbook & Guide Aims and Learning Objectives By the end of this workbook & guide you will be able to: import bibliographic references from external databases

More information

Before submitting the manuscript please read Pakistan Heritage Submission Guidelines.

Before submitting the manuscript please read Pakistan Heritage Submission Guidelines. Before submitting the manuscript please read Pakistan Heritage Submission Guidelines. If you have any question or problem related to the submission process please contact Pakistan Heritage Editorial office

More information

Introduction to Bell Library Resources

Introduction to Bell Library Resources Introduction to Bell Library Resources Mark E. Pfeifer, PhD Information and Instruction Librarian Bell Library Texas A and M University, Corpus Christi Bell Library Website Go to Bell Library Home Page

More information

Mla Documentation Guidelines

Mla Documentation Guidelines Mla Documentation Guidelines 1 / 6 2 / 6 3 / 6 Mla Documentation Guidelines What is MLA Style? All fields of research require certain formats of documentation for scholarly articles and publishing. MLA

More information

Lecture 7: Film Sound and Music. Professor Aaron Baker

Lecture 7: Film Sound and Music. Professor Aaron Baker Lecture 7: Film Sound and Music Professor Aaron Baker This Lecture A Brief History of Sound The Three Components of Film Sound 1. Dialogue 2. Sounds Effects 3. Music 3 A Brief History of Sound The Jazz

More information

HOLLYWOOD FOREIGN PRESS ASSOCIATION GOLDEN GLOBE AWARD CONSIDERATION RULES

HOLLYWOOD FOREIGN PRESS ASSOCIATION GOLDEN GLOBE AWARD CONSIDERATION RULES Motion Pictures Eligibility: HOLLYWOOD FOREIGN PRESS ASSOCIATION GOLDEN GLOBE AWARD CONSIDERATION RULES 1. Feature- length motion pictures (70 minutes or longer) that have been both released and screened

More information

CARESTREAM VITA/VITA LE/VITA SE CR System Long Length Imaging User Guide

CARESTREAM VITA/VITA LE/VITA SE CR System Long Length Imaging User Guide CARESTREAM VITA/VITA LE/VITA SE CR System Long Length Imaging User Guide Use of the Guide Carestream CR Systems are designed to meet international safety and performance standards. Personnel operating

More information

The MAMI Query-By-Voice Experiment Collecting and annotating vocal queries for music information retrieval

The MAMI Query-By-Voice Experiment Collecting and annotating vocal queries for music information retrieval The MAMI Query-By-Voice Experiment Collecting and annotating vocal queries for music information retrieval IPEM, Dept. of musicology, Ghent University, Belgium Outline About the MAMI project Aim of the

More information

The simplest way to stop a mic from ringing feedback. Not real practical if the intent is to hear more of the choir in our PA.

The simplest way to stop a mic from ringing feedback. Not real practical if the intent is to hear more of the choir in our PA. Lose the Feeback Improving Gain-Before-Feedback in Worship Sennheiser HOW Applications Tip #9 Kent Margraves, June 2008 *This discussion focuses on the processing and optimization of miked sources on the

More information

Friday / / HG E 27 contact in case:

Friday / / HG E 27 contact in case: Literature Search Course 2013 Friday 15.3. / 26.4. / 24.5.2013 HG E 27 contact in case: fuhrer@imsb.biol.ethz.ch Time Program 9:00 10:00 Introduction 10.00 10.15 Break 10.15 12:00 Literature databases

More information

Tools: Using New Testament Abstracts (homework)

Tools: Using New Testament Abstracts (homework) Synoptic Workbook 81 Exercise 4. Tools: Using New Testament Abstracts (homework) What Is New Testament Abstracts? New Testament Abstracts (NTA) is a journal that abstracts or summarizes publications about

More information

MY NCBI A Tool for Tracking your Manuscript

MY NCBI A Tool for Tracking your Manuscript PR-INBRE RETREAT 2018 MY NCBI A Tool for Tracking your Manuscript TABLE OF CONTENT Introduction 1 My NCBI (account) 1 Science Experts Network Curriculum Vitae (SciENcv) 1 My Bibliography 2 Sign Into My

More information

THE JOURNAL OF POULTRY SCIENCE: AN ANALYSIS OF CITATION PATTERN

THE JOURNAL OF POULTRY SCIENCE: AN ANALYSIS OF CITATION PATTERN The Eastern Librarian, Volume 23(1), 2012, ISSN: 1021-3643 (Print). Pages: 64-73. Available Online: http://www.banglajol.info/index.php/el THE JOURNAL OF POULTRY SCIENCE: AN ANALYSIS OF CITATION PATTERN

More information

The University of Texas at Austin September 30, 2011

The University of Texas at Austin September 30, 2011 SECTION 27 08 20 COPPER TESTING PART 1 - GENERAL 1.1 SUMMARY A. Test measurements shall be taken for all balanced-twisted pair cabling, including horizontal and backbone copper cables and wall-to-rack

More information

Getting Started EndNote X2

Getting Started EndNote X2 Getting Started EndNote X2 Carole Gall Doug Bartlow Getting Started with EndNote (Carole Gall Doug Bartlow) EndNote is a bibliographic program that will, in a variety of formats and styles, search online,

More information

CS 151 Final. Instructions: Student ID. (Last Name) (First Name) Signature

CS 151 Final. Instructions: Student ID. (Last Name) (First Name) Signature CS 151 Final Name Student ID Signature :, (Last Name) (First Name) : : Instructions: 1. Please verify that your paper contains 19 pages including this cover. 2. Write down your Student-Id on the top of

More information

EndNote for Windows. Take a class. Background. Getting Started. 1 of 17

EndNote for Windows. Take a class. Background. Getting Started. 1 of 17 EndNote for Windows Take a class The Galter Library teaches a related class called EndNote. See our Classes schedule for the next available offering. If this class is not on our upcoming schedule, it is

More information

Rhythm Rounds. Joyce Ma. January 2003

Rhythm Rounds. Joyce Ma. January 2003 Rhythm Rounds Joyce Ma January 2003 Keywords: < formative sound auditory perception exhibit interview observation > 1 Sound and Hearing Formative Evaluation Rhythm Rounds Joyce Ma January 2003 PURPOSE

More information

Sample: A small part of a lot or sublot which represents the whole. A sample may be made up of one or more increments or test portions.

Sample: A small part of a lot or sublot which represents the whole. A sample may be made up of one or more increments or test portions. 5.2.2.2. RANDOM SAMPLING 1. SCOPE This method covers procedures for securing random samples from a lot by the use of random numbers obtained from tables or generated by other methods. Nothing in this method

More information

Assignment 8 CIS 310 JONES,CHRISTOPHER MORICHIKA

Assignment 8 CIS 310 JONES,CHRISTOPHER MORICHIKA 2016 Assignment 8 CIS 310 JONES,CHRISTOPHER MORICHIKA Christopher Jones CIS310 A8 3/7/16 Part 1: Part 2: 72. Write a query to display movie title, movie year, and movie genre for all movies. SELECT MOVIE_TITLE,

More information

EndNote X7: the basics (downloadable desktop version)

EndNote X7: the basics (downloadable desktop version) EndNote X7: the basics (downloadable desktop version) EndNote is a package for creating and storing a library of references (citations plus abstracts, notes etc) it is recommended that you do not exceed

More information

ATSC A/85 RP on Audio Loudness

ATSC A/85 RP on Audio Loudness ATSC A/85 RP on Audio Loudness Effect on Program and Commercial Production JIM DEFILIPPIS FOX TECHNOLOGY GROUP Why Loudness?? Human perception of audio level is complex and is influenced not just by the

More information

GUIDELINES FOR SUBMISSION Celebrating Film & TV Industry Talent. In Africa

GUIDELINES FOR SUBMISSION Celebrating Film & TV Industry Talent. In Africa 1 P a g e GUIDELINES FOR SUBMISSION 2012 Celebrating Film & TV Industry Talent In Africa 2 P a g e CONTENTS 1. Overview AMVCA 3 2. Submission Terms & Conditions 4 3. Submission Procedure 7 4. The Judging

More information

EndNote Menus Reference Guide. EndNote Training

EndNote Menus Reference Guide. EndNote Training EndNote Menus Reference Guide EndNote Training The EndNote Menus Reference Guide Page 1 1 What EndNote Can Do for You EndNote is a reference management solution which allows you to keep all your reference

More information

EDI Database Output X12F Finance. D Deferred E Referred E Referred D Deferred E F Referred Withdrawn G Disapproved H Closed

EDI Database Output X12F Finance. D Deferred E Referred E Referred D Deferred E F Referred Withdrawn G Disapproved H Closed EDI Database Output X12F Finance D Deferred E Referred E Referred D Deferred E F Referred Withdrawn G Disapproved H Closed DECEMBER 2017 DATA MAINTENANCE INDEX X12F DEFERRED AND 2.1 CURRENT DATA MAINTENANCE

More information

Guest Editor Pack. Guest Editor Guidelines for Special Issues using the online submission system

Guest Editor Pack. Guest Editor Guidelines for Special Issues using the online submission system Guest Editor Pack Guest Editor Guidelines for Special Issues using the online submission system Online submission 1. Quality All papers must be submitted via the Inderscience online system. Guest Editors

More information

Comparison of N-Gram 1 Rank Frequency Data from the Written Texts of the British National Corpus World Edition (BNC) and the author s Web Corpus

Comparison of N-Gram 1 Rank Frequency Data from the Written Texts of the British National Corpus World Edition (BNC) and the author s Web Corpus Comparison of N-Gram 1 Rank Frequency Data from the Written Texts of the British National Corpus World Edition (BNC) and the author s Web Corpus Both sets of texts were preprocessed to provide comparable

More information

Read & Download (PDF Kindle) Analog Design Essentials (The Springer International Series In Engineering And Computer Science)

Read & Download (PDF Kindle) Analog Design Essentials (The Springer International Series In Engineering And Computer Science) Read & Download (PDF Kindle) Analog Design Essentials (The Springer International Series In Engineering And Computer Science) This unique book contains all topics of importance to the analog designer which

More information

Overview of Television landscape in New LC1* Markets. *Guj LC1, MP LC1, PHCHP LC1, Raj LC1, UP LC1

Overview of Television landscape in New LC1* Markets. *Guj LC1, MP LC1, PHCHP LC1, Raj LC1, UP LC1 Overview of Television landscape in New LC1* Markets *Guj LC1, MP LC1, PHCHP LC1, Raj LC1, UP LC1 Television Universe New LC1 Vs Existing Markets Content Demographic Composition of the Market TV viewing

More information

MISB ST STANDARD. Time Stamping and Metadata Transport in High Definition Uncompressed Motion Imagery. 27 February Scope.

MISB ST STANDARD. Time Stamping and Metadata Transport in High Definition Uncompressed Motion Imagery. 27 February Scope. MISB ST 0605.4 STANDARD Time Stamping and Metadata Transport in High Definition Uncompressed Motion 27 February 2014 1 Scope This Standard defines requirements for inserting frame-accurate time stamps

More information

Figures in Scientific Open Access Publications

Figures in Scientific Open Access Publications Figures in Scientific Open Access Publications Lucia Sohmen 2[0000 0002 2593 8754], Jean Charbonnier 1[0000 0001 6489 7687], Ina Blümel 1,2[0000 0002 3075 7640], Christian Wartena 1[0000 0001 5483 1529],

More information

Van Patten, Grant; Records apap167

Van Patten, Grant; Records apap167 , Grant; Records apap167 This finding aid was produced using ArchivesSpace on April 14, 2017. English M.E. Grenander Department of Special Collections & Archives , Grant; Records apap167 Table of Contents

More information

Sentiment Analysis on YouTube Movie Trailer comments to determine the impact on Box-Office Earning Rishanki Jain, Oklahoma State University

Sentiment Analysis on YouTube Movie Trailer comments to determine the impact on Box-Office Earning Rishanki Jain, Oklahoma State University Sentiment Analysis on YouTube Movie Trailer comments to determine the impact on Box-Office Earning Rishanki Jain, Oklahoma State University ABSTRACT The video-sharing website YouTube encourages interaction

More information

Ratification of Terms of Settlement reached in the CBC Television and Radio Agreements.

Ratification of Terms of Settlement reached in the CBC Television and Radio Agreements. April 7, 2016 Ratification of Terms of Settlement reached in the CBC Television and Radio Agreements. Dear ACTRA Member: I am pleased to advise you that ACTRA has reached a tentative settlement with the

More information

Ferenc, Szani, László Pitlik, Anikó Balogh, Apertus Nonprofit Ltd.

Ferenc, Szani, László Pitlik, Anikó Balogh, Apertus Nonprofit Ltd. Pairwise object comparison based on Likert-scales and time series - or about the term of human-oriented science from the point of view of artificial intelligence and value surveys Ferenc, Szani, László

More information

DRAMATURGY THESIS PROPOSAL GUIDELINES

DRAMATURGY THESIS PROPOSAL GUIDELINES DRAMATURGY THESIS PROPOSAL GUIDELINES Prerequisites: Courses: Script Analysis, Dramaturgy (Classic and Modern); apply for a season Production Dramaturg position during Modern Dramaturgy Budget: Design

More information

DEFINING THE LIBRARY

DEFINING THE LIBRARY DEFINING THE LIBRARY This glossary is designed to introduce you to terminology commonly used in APUS Trefry Library to describe services, parts of the collection, academic writing, and research. DEFINING

More information

Book Indexes p. 49 Citation Indexes p. 49 Classified Indexes p. 51 Coordinate Indexes p. 51 Cumulative Indexes p. 51 Faceted Indexes p.

Book Indexes p. 49 Citation Indexes p. 49 Classified Indexes p. 51 Coordinate Indexes p. 51 Cumulative Indexes p. 51 Faceted Indexes p. Preface Introduction p. 1 Making an Index p. 1 The Need for Indexes p. 2 The Nature of Indexes p. 4 Makers of Indexes p. 5 A Brief Historical Perspective p. 6 A Note to the Neophyte Indexer p. 9 p. xiii

More information

Finding Aid for the Ernest Carroll Moore Papers, ca No online items

Finding Aid for the Ernest Carroll Moore Papers, ca No online items http://oac.cdlib.org/findaid/ark:/13030/tf1m3nb01j No online items Processed by staff; machine-readable finding aid created by Myra Villamor URL: http://www.library.ucla.edu/libraries/special/scweb/ 1999

More information

Web of Knowledge Workflow solution for the research community

Web of Knowledge Workflow solution for the research community Web of Knowledge Workflow solution for the research community University of Nizwa, September 2012 Dr. Uwe Wendland Country Manager Turkey, Middle East & Africa Agenda A brief history of Thomson Reuters

More information

Running Head: ANNOTATED BIBLIOGRAPHY IN APA FORMAT 1. Annotated Bibliography in APA Format. Penny Brown. St. Petersburg College

Running Head: ANNOTATED BIBLIOGRAPHY IN APA FORMAT 1. Annotated Bibliography in APA Format. Penny Brown. St. Petersburg College Running Head: ANNOTATED BIBLIOGRAPHY IN APA FORMAT 1 FORMATTING HEADER FOR COVER PAGE IN APA STYLE: In MS Word 2007, choose Insert tab and click on Page Number. Choose Top of Page > Plain Number 1. Then,

More information

Tools for Researchers

Tools for Researchers University of Miami Scholarly Repository Faculty Research, Publications, and Presentations Department of Health Informatics 7-1-2013 Tools for Researchers Carmen Bou-Crick MSLS University of Miami Miller

More information

Icons. Cartoons. and. Mohan.r. Psyc 579

Icons. Cartoons. and. Mohan.r. Psyc 579 Icons and Cartoons Mohan.r Psyc 579 9 Mar 2011 Outline What is an Icon? What is a Cartoon? How do they work? How to design a good icon? 2 What is an Icon? 3 What is an icon? An image that represents an

More information

Dynamic Ad Insertion. Metric Terms, Descriptions and Definitions

Dynamic Ad Insertion. Metric Terms, Descriptions and Definitions Dynamic Ad Insertion Metric Terms, Descriptions and Definitions CTAM Advanced Cable Solutions Consortium Metrics & Reporting Committee Q2 2012 Page 1 Executive Summary The Cable & Telecommunications Association

More information

Academic honesty. Bibliography. Citations

Academic honesty. Bibliography. Citations Academic honesty Research practices when working on an extended essay must reflect the principles of academic honesty. The essay must provide the reader with the precise sources of quotations, ideas and

More information

Middle School Summer Reading

Middle School Summer Reading Middle School Summer Reading Dear Parents and Students, All middle school students will read two books this summer as required reading. The first book is assigned to them by grade level. For the second

More information

ENGINEERING & TECHNOLOGY REFERENCE GUIDE FOR AUTHORS

ENGINEERING & TECHNOLOGY REFERENCE GUIDE FOR AUTHORS ENGINEERING & TECHNOLOGY REFERENCE GUIDE FOR AUTHORS OVERVIEW Engineering & Technology Reference is an online collection of peer-reviewed, industry-based technical articles and case studies designed to

More information

RDA vs AACR. Presented by. Illinois Heartland Library System

RDA vs AACR. Presented by. Illinois Heartland Library System RDA vs AACR Presented by Illinois Heartland Library System Topics General differences between RDA and AACR Comparison of terms General concepts of RDA MARC coding Identifying an RDA record Differences

More information

Impact Factors: Scientific Assessment by Numbers

Impact Factors: Scientific Assessment by Numbers Impact Factors: Scientific Assessment by Numbers Nico Bruining, Erasmus MC, Impact Factors: Scientific Assessment by Numbers I have no disclosures Scientific Evaluation Parameters Since a couple of years

More information

INFS 321 Information Sources

INFS 321 Information Sources INFS 321 Information Sources Session 3 Selection and Evaluation of Reference Sources Lecturer: Prof. Perpetua S. Dadzie, DIS Contact Information: pdadzie@ug.edu.gh College of Education School of Continuing

More information

WHAT BELONGS IN MY RESEARCH PAPER?

WHAT BELONGS IN MY RESEARCH PAPER? AU/ACSC/2011 AIR COMMAND AND STAFF COLLEGE AIR UNIVERSITY WHAT BELONGS IN MY RESEARCH PAPER? by Terry R. Bentley, Lt Col, USAF (PhD) A Research Report Submitted to the Faculty In Partial Fulfillment of

More information