Instrument Parts I began in Access by selecting the Create ribbon, then the Table Design button.

Size: px
Start display at page:

Download "Instrument Parts I began in Access by selecting the Create ribbon, then the Table Design button."

Transcription

1 Stephanie Lukin 1 Stephanie Lukin Final Phase Implementation Instrument Parts I began in Access by selecting the Create ribbon, then the Table Design button. I named this table Instrument Parts and entered the field names, data types, and data definitions. I selected File # and Instrument as the primary key. Next I opened the Relationships window under the Database Tools ribbon. This is where I established the foreign key reference between this new table and the existing music table. I created a one to many relationship, where a single instance of the octavo exists in Music Library but multiple instrument parts can exist.

2 Stephanie Lukin 2 I then populated my Instrument Parts table: To create queries, I opened the Query Design button in the Create ribbon. I used the query wizard (below) for the first query to see the format of the SQL Access uses. For the remainder of the queries, I typed SQL code. Q1. Show the entire music library with instrument parts. Q2. Show all the flute music Q3. Show parts for Abide, O Spirit of Life

3 Stephanie Lukin 3 Barcode Scanner I began by creating the Rehearsal Dates table and data definition, making pmonth, pdate, and pyear the primary key. I then populated the table. Next, I created the Attends table and data definition. For this table, mo, date, yr, and CID are the primary key.

4 Stephanie Lukin 4 I populated the Attends table. I opened the Relationships view and set the foreign key references from mo, date, yr in Attends to pmonth, pdate, and pyear in Rehearsal Dates as well as CID in Attends to ID in Choir.

5 Stephanie Lukin 5 Q4. Show all practices and members who attended Q5. Show all rehearsals Stephanie Lukin has attended Q6. Show all members who attended on 12/11/2010

6 Stephanie Lukin 6 I then implemented an interactive form so that it easy to enter in information without tedious repetition or transfer of data via excel documents. Furthermore, the user can use the barcode scanner to enter in the choir ID number automatically and directly into the database. I began with the Form Wizard button in the Create ribbon This walked me through a series of steps helping me create the form.

7 Stephanie Lukin 7 The user can now enter information about a rehearsal date in one location, then scan the barcodes which will appear in the CID box. This information will be directly updated in the respective tables.

8 Q7. Show members who attended before Stephanie Lukin 8

9 Stephanie Lukin 9 Birthday Calendar This portion of the project called for a calendar to display the names of the choir members who have a birthday in the corresponding box on the calendar. For this, I created a query asking for all the birthdays of the choir members Q8. Show all birthdays of choir members

10 Stephanie Lukin 10 I exported the query results to a text file delimited by commas. I then built a simple display using the Processing programming language environment. I was not able to make it a true GUI concerning the data input, but it is clearly explained at the top of the Processing file what to change and what parameters to use.

11 Q9. Show all members with birthday in July Stephanie Lukin 11

12 Q10. Show all birthdays in August Stephanie Lukin 12

13 Stephanie Lukin 13 monthly_calendar.pde // the calendar month [0-12] int currmonth = 7; // number of days in the month [28-31] int numdays = 31; // day of the week the month begins // [Sun, Mon, Tues, Wed, Thurs, Fri, Sat] String startday = "Wed"; //.txt file from Birthday_export query String file = "Birthday_export.txt"; // font size int fontsize = 15; // height and width of the date boxes int HEIGHT = 180, WIDTH = 200; int topspace=50; //////////////////////////////////////////////////////////////// // no need to look below here :) //////////////////////////////////////////////////////////////// PFont fonta; GregorianCalendar gcal = new GregorianCalendar(); String[] dates = new String[31]; int startdate; boolean startdraw = false; ArrayList[] months = new ArrayList[12]; String[] week = {"Sunday", "Monday", "Tuesday", "Wednesday", "Thrusday", "Friday", "Saturday"; String[] mon = {"January", "February", "March", "April", "May", "June", "July", "August", "September", "October", "November", "December"; BufferedReader reader; Scanner scan; String line; void setup() { size(7*width, 5*HEIGHT+topspace); background(255); fonta = loadfont("ziggurat-htf-black-32.vlw"); textfont(fonta, fontsize); // determines the index of the first day of the month if (startday.equals("sun")) startdate = 0; else if (startday.equals("mon")) startdate = 1; else if (startday.equals("tues")) startdate = 2; else if (startday.equals("wed")) startdate = 3; else if (startday.equals("thurs")) startdate = 4; else if (startday.equals("fri")) startdate = 5; else if (startday.equals("sat")) startdate = 6; else startdate = -1;

14 Stephanie Lukin 14 // opens the birthday file to read reader = createreader(file); initmonths(); parsefile(); drawheader(); drawframe(); /* * Instantiates the ArrayLists to store the choir member's birthdays */ void initmonths() { for (int i = 0; i < months.length; i++) { months[i] = new ArrayList(); /* * Examines the text file of birthdays and separates the members into ArrayLists by birth month */ void parsefile() { try { // while not eof while (reader.ready()) { line = reader.readline(); if (line!= null) { String[] person = split(line, ","); // determines the month of birth if (!person[0].equals("")) { int mo = Integer.parseInt(person[0]); // puts the remainder of the line into the corresponding month array months[mo-1].add(person[1] + "," + person[2] + "," + person[3]); catch (IOException e){line = null; void drawheader() { fill(0); text(mon[currmonth-1], width/2, topspace/2); for (int i = 0; i < 7; i++) { text(week[i], WIDTH*i+fontSize/2, topspace-fontsize/2); /* * Draws the date boxes as well as the members born on that day */ void drawframe() { for (int i = 0; i < 5; i++) { for (int j = 0; j < 7; j++) { int currdate = (7*i+j)-startDate+1; // deterrmines which day of the week to start drawing boxes if (i >= 0 && j >= startdate) startdraw=true; // don't exceed the number of days in the month if (currdate > numdays) startdraw = false; if (startdraw) {

15 Stephanie Lukin 15 // draw the date box fill(255); rect(width*j, HEIGHT*i+topspace, WIDTH, HEIGHT); // write the date fill(0); text(currdate, WIDTH*j+fontSize/2, HEIGHT*i+topspace+fontSize/2); int count = 0; // search months for currdate ArrayList mo = months[currmonth-1]; for (int k = 0; k < mo.size(); k++) { // finds the next person who has a birthday in current month String person = mo.get(k).tostring(); // determines the date int d = Integer.parseInt(person.substring(0, person.indexof(","))); // if the date is the date of the box being drawn if (d == currdate) { // parses the name of the person person = person.substring(person.indexof(",")+2, person.length()-1); String last = person.substring(person.indexof(",")+2, person.length()); String first = person.substring(0, person.indexof(",")-1); // increases the number of people on this day to display text without overlap count++; text(first + " " + last, WIDTH*j+fontSize/2, HEIGHT*i+topspace+(count+1)*fontSize);

16 Stephanie Lukin 16 User Manual Instrument Parts 1. Open Instrument Parts table 2. Add the file # corresponding to the octavo, the instrument, and number of parts 3. View or modify the Octavo Instrument Parts query Barcode Scanner 1. Open Barcode scanner form form 2. Click New (blank) record button at botton of screen 3. Enter the current month, date, year, any notes 4. Click in the CID box and scan barcodes 5. Information is updates in Rehearsal Dates and Attends tables 6. Modify Choir rehearsals query to get specifics Birthdays 1. Open Birthday_export query 2. Export to.txt file in G:\dbtest\monthly_calendar 3. Open Processing C:\Documents and Settings\minstu\My Documents\processing 1.2.1\processing Open monthly_calendar.pde in G:\dbtest\monthly_calendar 5. Make changes to following fields a. currmonth [1 12] b. numdays [29 31] c. startday [Sun, Mon, Tues, Wed, Thurs, Fri, Sat] 6. Click the triangle run button

17 Stephanie Lukin : Met with George Miller, music ministry director, to discuss the project. Redirected me to music ministry interns to deal directly with the database and their needs. Met with Sean Gallagher, music ministry intern, to discuss these needs in detail : Met with client Sean Gallagher to discuss the requirements and gained approval : Met with client Sean and discussed needs and functionality to ensure I was on the right track : Demoed barcode scanner and instrument library for client Sean Gallagher and left this instruction sheet and gained approval for demos : Demoed birthday calendar and others for client Michael Powell, music ministry intern and gained approval for remaining demos. The DB designed by has been demoed for me. I find that it (does/does not) meet my needs. Comments: signed printed name and position

Example. Section: PS 709 Examples of Calculations of Reduced Hours of Work Last Revised: February 2017 Last Reviewed: February 2017 Next Review:

Example. Section: PS 709 Examples of Calculations of Reduced Hours of Work Last Revised: February 2017 Last Reviewed: February 2017 Next Review: Following are three examples of calculations for MCP employees (undefined hours of work) and three examples for MCP office employees. Examples use the data from the table below. For your calculations use

More information

Scheduling. Scheduling Tasks At Creation Time CHAPTER

Scheduling. Scheduling Tasks At Creation Time CHAPTER CHAPTER 13 This chapter explains the scheduling choices available when creating tasks and when scheduling tasks that have already been created. Tasks At Creation Time The tasks that have the scheduling

More information

AIMMS Function Reference - Date Time Related Identifiers

AIMMS Function Reference - Date Time Related Identifiers AIMMS Function Reference - Date Time Related Identifiers This file contains only one chapter of the book. For a free download of the complete book in pdf format, please visit www.aimms.com Aimms 3.13 Date-Time

More information

SOUTH DAKOTA BOARD OF REGENTS. Board Work ******************************************************************************

SOUTH DAKOTA BOARD OF REGENTS. Board Work ****************************************************************************** SOUTH DAKOTA BOARD OF REGENTS Board Work AGENDA ITEM: 3 C DATE: March 30 April 1, 2016 ****************************************************************************** SUBJECT: Rolling Calendar During the

More information

INFORMATION TECHNOLOGY SPREADSHEETS. Part 1

INFORMATION TECHNOLOGY SPREADSHEETS. Part 1 INFORMATION TECHNOLOGY SPREADSHEETS Part 1 Page: 1 Created by John Martin Exercise Built-In Lists 1. Start Excel Spreadsheet 2. In cell B1 enter Mon 3. In cell C1 enter Tue 4. Select cell C1 5. At the

More information

Conditional Formatting

Conditional Formatting Microsoft Excel 2013: Part 5 Conditional Formatting, Viewing, Sorting, Filtering Data, Tables and Creating Custom Lists Conditional Formatting This command can give you a visual analysis of your raw data

More information

September 2015 Calendar This Excel calendar is blank & designed for easy use as a planner. Courtesy of WinCalendar.com

September 2015 Calendar This Excel calendar is blank & designed for easy use as a planner. Courtesy of WinCalendar.com September 2015 Calendar This Excel calendar is blank & designed for easy use as a planner. Courtesy of WinCalendar.com August ~ September 2015 ~ Sunday Monday Tuesday Wednesday Thursday Friday 1 2 3 4

More information

SOUTH DAKOTA BOARD OF REGENTS. Board Work ******************************************************************************

SOUTH DAKOTA BOARD OF REGENTS. Board Work ****************************************************************************** SOUTH DAKOTA BOARD OF REGENTS Board Work AGENDA ITEM: 1 G DATE: August 7-9, 2018 ****************************************************************************** SUBJECT Rolling Calendar CONTROLLING STATUTE,

More information

Calendar PPF Production Cycles Non-Production Activities and Events

Calendar PPF Production Cycles Non-Production Activities and Events 20-207 Calendar PPF Production Cycles Non-Production Activities and Events Four Productions For non-holiday productions 7 Week Stage Cycles 36 Uses plus strike (as in prior years and per agreement with

More information

MONITORING REPORT ON THE WEBSITE OF THE STATISTICAL SERVICE OF CYPRUS DECEMBER The report is issued by the.

MONITORING REPORT ON THE WEBSITE OF THE STATISTICAL SERVICE OF CYPRUS DECEMBER The report is issued by the. REPUBLIC OF CYPRUS STATISTICAL SERVICE OF CYPRUS MONITORING REPORT ON THE WEBSITE OF THE STATISTICAL SERVICE OF CYPRUS DECEMBER The report is issued by the Monitoring Report STATISTICAL DISSEMINATION AND

More information

SOUTH DAKOTA BOARD OF REGENTS PLANNING SESSION AUGUST 8-9, Below is a tentative meeting schedule for the Board meetings in 2013:

SOUTH DAKOTA BOARD OF REGENTS PLANNING SESSION AUGUST 8-9, Below is a tentative meeting schedule for the Board meetings in 2013: SOUTH DAKOTA BOARD OF REGENTS PLANNING SESSION AUGUST 8-9, 2012 AGENDA ITEM 7 SUBJECT: 2013 BOR Meeting Schedule The Board made changes in the meeting schedule in 2002 to eliminate the January meeting;

More information

CALENDAR OF FILING DEADLINES AND SEC HOLIDAYS

CALENDAR OF FILING DEADLINES AND SEC HOLIDAYS CALENDAR OF FILING S AND SEC HOLIDAYS INFORMATION IN THIS CALENDAR HAS BEEN OBTAINED BY SOURCES BELIEVED TO BE RELIABLE, BUT CANNOT BE GUARANTEED FOR ACCURACY. PLEASE CONSULT WITH PROFESSIONAL COUNSEL

More information

Calendar Excel Template User Guide

Calendar Excel Template User Guide Calendar Excel Template User Guide Excel-based simple Calendar Template Version 3 This Excel-based template provides a calendar template for each month of a year. It also incorporates an hourly schedule

More information

CIMA Certificate BA Interactive Timetable

CIMA Certificate BA Interactive Timetable CIMA Certificate BA Interactive Timetable 2018 Nottingham & Leicester Version 3.2 Information last updated 09/03/18 Please note: Information and dates in this timetable are subject to change. Introduction

More information

HP Project and Portfolio Management Center

HP Project and Portfolio Management Center HP Project and Portfolio Management Center Software Version: 8.00 Generating Fiscal Periods Document Release Date: July 2009 Software Release Date: July 2009 Legal Notices Warranty The only warranties

More information

TEMPLATE CALENDAR2015. facemediagroup.co.uk

TEMPLATE CALENDAR2015. facemediagroup.co.uk WALL CALENDAR - A4 SIZE FREE TO DOWNLOAD AND CUSTOMISE. COPYRIGHT OF FACEMEDIAGROUP - PLEASE LEAVE COPYRIGHT AND BRAND MARKS IN PLACE. CALENDAR TEMPLATE FULL PAGE IMAGE THIS CALENDAR TEMPLATE CAN BE FULLY

More information

Institute For Arts & Digital Sciences SHORT COURSES

Institute For Arts & Digital Sciences SHORT COURSES Institute For Arts & Digital Sciences SHORT COURSES SCHEDULES AND FEES 2017 SHORT COURSES - GRAPHIC DESIGN Adobe Photoshop Basic 07 February 28 February Tuesdays 14:30-17:30 Adobe Photoshop Basic 07 February

More information

Basic Device Management

Basic Device Management This chapter contains the following sections: About, page 1 Licensing Requirements for, page 2 Default Settings for Basic Device Parameters, page 3 Changing the Device Hostname, page 3 Configuring the

More information

Daily Math Week 10 ( ) Mon. October 21, 2013 Tues. October 22, 2013 Wed. October 23, 2013 Thurs. October 24, 2013 Fri.

Daily Math Week 10 ( ) Mon. October 21, 2013 Tues. October 22, 2013 Wed. October 23, 2013 Thurs. October 24, 2013 Fri. Daily Math Week 10 (2013-2014) Mon. October 21, 2013 Tues. October 22, 2013 Wed. October 23, 2013 Thurs. October 24, 2013 Fri. October 25, 2013 1 Monday, October 21, 2013 1 st Solve 2x + 4x 2 = 26 2 Monday,

More information

Sequential Search (Searching Supplement: 1-2)

Sequential Search (Searching Supplement: 1-2) (Searching Supplement: 1-2) A sequential search simply involves looking at each item in an array in turn until either the value being searched for is found or it can be determined that the value is not

More information

%Addval: A SAS Macro Which Completes the Cartesian Product of Dataset Observations for All Values of a Selected Set of Variables

%Addval: A SAS Macro Which Completes the Cartesian Product of Dataset Observations for All Values of a Selected Set of Variables %Addval: A SAS Macro Which Completes the Cartesian Product of Dataset Observations for All Values of a Selected Set of Variables Rich Schiefelbein, PRA International, Lenexa, KS ABSTRACT It is often useful

More information

CDM+ CDM+ Attendance. Attendance Preferences 10 Entering Attendance for a Service or Event 10. Entering Attendance for a Class 12

CDM+ CDM+ Attendance. Attendance Preferences 10 Entering Attendance for a Service or Event 10. Entering Attendance for a Class 12 CDM+ Attendance Setting up Class Lists 2 Setting up Group Lists (Pro version only) 3 Detail Tracking 3 Assign Individuals to Classes 4 Taking Attendance 6 Attendance Worksheet By Date 7 Sample Attendance

More information

Schedule/BACnet Schedule

Schedule/BACnet Schedule Object Dictionary 1 Schedule/BACnet Schedule Introduction Note: The Johnson Controls Schedule object is considered a BACnet Schedule object because it supports BACnet functionality. In addition, this object

More information

Moody Radio Network 1st Quarter data dates are February, th Quarter Reports are due to SoundExchange by Tuesday, 15-May, 2018

Moody Radio Network 1st Quarter data dates are February, th Quarter Reports are due to SoundExchange by Tuesday, 15-May, 2018 Stations streaming under the agreement signed by the NRB Music Licensing Committee are required to report to SoundExchange two weeks music information per quarter. Moody Radio will be making available

More information

Computer Grade 5. Unit: 1, 2 & 3 Total Periods 38 Lab 10 Months: April and May

Computer Grade 5. Unit: 1, 2 & 3 Total Periods 38 Lab 10 Months: April and May Computer Grade 5 1 st Term Unit: 1, 2 & 3 Total Periods 38 Lab 10 Months: April and May Summer Vacation: June, July and August 1 st & 2 nd week Day 1 Day 2 Day 3 Day 4 Day 5 Day 6 First term (April) Week

More information

Pre-Calculus Advanced. Chapter 10 Part 2. Period 8

Pre-Calculus Advanced. Chapter 10 Part 2. Period 8 Pre-Calculus Advanced Chapter 10 Part 2 Period 8 Date Topic of Discussion Assignment Stamp Monday, 4/9 Tuesday, 4/10 Wed 4/11 ½ Day Thu 4/12 Fri 4/13 10.4 Hyperbolas SAT More 10.4 Hyperbolas 10.5 General

More information

What if Analysis, Charting, and Working with Large Worksheets. Chapter 3

What if Analysis, Charting, and Working with Large Worksheets. Chapter 3 What if Analysis, Charting, and Working with Large Worksheets Chapter 3 What we will cover Rotating Text Using the fill handle to create a series of month names Copying and pasting What we will cover Inserting,

More information

Nortel Enterprise Reporting Quality Monitoring Meta-Model Guide

Nortel Enterprise Reporting Quality Monitoring Meta-Model Guide NN44480-110 Nortel Enterprise Reporting Quality Monitoring Meta-Model Guide Product release 6.5 and 7.0 Standard 01.03 November 2009 Nortel Enterprise Reporting Quality Monitoring Meta-Model Guide Publication

More information

MAP OF OUR REGION. About

MAP OF OUR REGION. About About ABOUT THE GEORGIA BULLETIN The Georgia Bulletin is the Catholic newspaper for the Archdiocese of Atlanta. We cover the northern half of the state of Georgia with the majority of our circulation being

More information

Your Local Family Bus Company The Bus Garage, Bromyard, HR7 4NT

Your Local Family Bus Company The Bus Garage, Bromyard, HR7 4NT JANUARY 208 Mon Bank holiday Week 2 Tue 3 Wed Schools Start 4 Thu 5 Fri 6 Sat 7 Sun 8 Mon Week 2 9 Tue 0 Wed Thu 2 Fri 3 Sat 4 Sun 5 Mon Week 3 6 Tue 7 Wed 8 Thu 9 Fri 20 Sat 2 Sun 22 Mon Week 4 23 Tue

More information

Nimsoft Monitor. reboot Guide. v1.4 series

Nimsoft Monitor. reboot Guide. v1.4 series Nimsoft Monitor reboot Guide v1.4 series Legal Notices Copyright 2012, Nimsoft Corporation Warranty The material contained in this document is provided "as is," and is subject to being changed, without

More information

DOWNLOAD OR READ : WEEKLY CALENDAR 2019 PLANNER PDF EBOOK EPUB MOBI

DOWNLOAD OR READ : WEEKLY CALENDAR 2019 PLANNER PDF EBOOK EPUB MOBI DOWNLOAD OR READ : WEEKLY CALENDAR 2019 PLANNER PDF EBOOK EPUB MOBI Page 1 Page 2 weekly calendar 2019 planner weekly calendar 2019 planner pdf weekly calendar 2019 planner For more weekly and daily time

More information

MAP OF OUR REGION. About

MAP OF OUR REGION. About About ABOUT THE GEORGIA BULLETIN The Georgia Bulletin is the Catholic newspaper for the Archdiocese of Atlanta. We cover the northern half of the state of Georgia with the majority of our circulation being

More information

Note: The enumerations range from 0 to (number_of_elements_in_enumeration 1).

Note: The enumerations range from 0 to (number_of_elements_in_enumeration 1). C8-1 Algorithm 1. Use a subtype to represent the numbers for months 2. Use an enumeration to represent the named months 3. Use an enumeration to represent the roman months 4. Get the inputs from the user

More information

MIT AITI Python Software Development

MIT AITI Python Software Development MIT AITI Python Software Development PYTHON L02: In this lab we practice all that we have learned on variables (lack of types), naming conventions, numeric types and coercion, strings, booleans, operator

More information

The Scheduler & Hotkeys plugin PRINTED MANUAL

The Scheduler & Hotkeys plugin PRINTED MANUAL The Scheduler & Hotkeys plugin PRINTED MANUAL Scheduler & Hotkeys plugin All rights reserved. No parts of this work may be reproduced in any form or by any means - graphic, electronic, or mechanical, including

More information

2016 Calendar of System Events and Moratoriums

2016 Calendar of System Events and Moratoriums 2016 Calendar of System Events and Moratoriums Table of Contents 1. Terminology and Information 2 2. Quarterly Scheduled System Upgrades and Moratoriums 3 3. Scheduled Infrastructure Window 4 4. Scheme

More information

Installing the Sample Files

Installing the Sample Files (610) 594-9510 Installing the Sample Files Our sample files are available for you to download from the Internet onto your own computer. Each course has a set of sample files which have been compressed

More information

Important Upcoming Rotary Dates FY July 2017-June 2018 ( )

Important Upcoming Rotary Dates FY July 2017-June 2018 ( ) JULY - 2017 Lunch meetings: 12, 19, 26 (offsite) Thursday 6 5 O Clock Somewhere Belmont Brewing Co. 25 39 th Place 5:30-7:30pm Saturday 8 Centennial Park Clean-up 8:00am Tuesday 11 Rotary Board of Directors

More information

CONDITIONAL EXECUTION: PART 2

CONDITIONAL EXECUTION: PART 2 CONDITIONAL EXECUTION: PART 2 yes x > y? no max = x; max = y; logical AND logical OR logical NOT &&! Fundamentals of Computer Science I Outline Review: The if-else statement The switch statement A look

More information

Chapter 6 Reacting to Player Input

Chapter 6 Reacting to Player Input Chapter 6 Reacting to Player Input 6.1 Introduction In this chapter, we will show you how your game program can react to mouse clicks and button presses. In order to do this, we need a instruction called

More information

Year 1 and 2 Mastery of Mathematics

Year 1 and 2 Mastery of Mathematics Year 1 and 2 Mastery of Mathematics Mastery of the curriculum requires that all pupils:. use mathematical concepts, facts and procedures appropriately, flexibly and fluently; recall key number facts with

More information

CSC-140 Assignment 6

CSC-140 Assignment 6 CSC-140 Assignment 6 1 Introduction In this assignment we will start out defining our own classes. For now, we will design a class that represents a date, e.g., Tuesday, March 15, 2011, or in short hand

More information

Publication Name: The Sacramento Bee Date info completed: March 2007

Publication Name: The Sacramento Bee Date info completed: March 2007 Publication Name: The Sacramento Bee Date info completed: March 2007 MARKET (indicate one): Basic Demography Adult Population 2,878,331 Median Age 34 Number of Households 1,379,817 Median Household Income

More information

Click the Add a New Value Tab. Click Add. The system will populate the Event ID field with a number after the event request is saved.

Click the Add a New Value Tab. Click Add. The system will populate the Event ID field with a number after the event request is saved. How to login to SIS: SIS-only users go to: https://buckeyelink2.osu.edu/, click on Student Information System (main page), login using your lastname.# and password. Schedule an Event Path: Main Menu Campus

More information

D. 90% 2. You need of a can of paint to paint one bench. How many cans would you need to paint 8 benches of equal size?

D. 90% 2. You need of a can of paint to paint one bench. How many cans would you need to paint 8 benches of equal size? . You are writing a report on video games. You are including the fact that a specific video game has been downloaded 90,000,000 times. Write this number in scientific notation.. You need of a can of paint

More information

Organizing and Summarizing Data

Organizing and Summarizing Data 1 Organizing and Summarizing Data Key Definitions Frequency Distribution: This lists each category of data and how often they occur. : The percent of observations within the one of the categories. This

More information

CONFERENCE ROOM SCHEDULER

CONFERENCE ROOM SCHEDULER CONFERENCE ROOM SCHEDULER AN OPEN APPLICATION INTERFACE (OAI) USER GUIDE NEC America, Inc. NDA-30006-002 Revision 2.0 January, 1997 Stock # 241732 LIABILITY DISCLAIMER NEC America reserves the right to

More information

ID-AL - SCHEDULER V2.x - Time-stamped & dated programming Scheduler - Manual SCHEDULER. V2.x MANUAL

ID-AL - SCHEDULER V2.x - Time-stamped & dated programming Scheduler - Manual SCHEDULER. V2.x MANUAL SCHEDULER V2.x MANUAL Waves System Table of Contents 1 - Introduction... p1 Required configuration... p2 Installation of the software Scheduler... p2 2 - Presentation of the Scheduler Window... p3 Main

More information

January and February

January and February 2019 Smithton Public District Newsletter January and February NEW YEAR S RESOLUTIONS MOVIES @ THE LIBRARY Celebrate the experience of trying something new with a showing of Julie & Julia on Friday, January

More information

Math in Focus Vocabulary. Kindergarten

Math in Focus Vocabulary. Kindergarten Math in Focus Vocabulary Kindergarten Chapter Word Definition 1 one 1 * 1 two 2 * * 1 three 3 * * * 1 four 4 * * * * 1 five 5 * * * * * 1 same things that have a common property 1 different things that

More information

Va Pay Period Calendar 2016

Va Pay Period Calendar 2016 Va Pay Period 2016 Free PDF ebook Download: Va Pay Period 2016 Download or Read Online ebook va pay period calendar 2016 in PDF Format From The Best User Guide Database 1 2 3 4 5 6. 7 8 9 10 11 12 13.

More information

The MODBUS RTU/ASCII, MODBUS/TCP plugin PRINTED MANUAL

The MODBUS RTU/ASCII, MODBUS/TCP plugin PRINTED MANUAL The MODBUS RTU/ASCII, MODBUS/TCP plugin PRINTED MANUAL MODBUS RTU/ASCII, MODBUS/TCP plugin All rights reserved. No parts of this work may be reproduced in any form or by any means - graphic, electronic,

More information

Exercises Software Development I. 02 Algorithm Testing & Language Description Manual inspection, test plan, grammar, metasyntax notations (BNF, EBNF)

Exercises Software Development I. 02 Algorithm Testing & Language Description Manual inspection, test plan, grammar, metasyntax notations (BNF, EBNF) Exercises Software Development I 02 Algorithm Testing & Language Description Manual inspection, test plan, grammar, metasyntax notations (BNF, EBNF) October 15th, 2014 Software Development I Winter term

More information

Enumerated Types. Mr. Dave Clausen La Cañada High School

Enumerated Types. Mr. Dave Clausen La Cañada High School Enumerated Types Mr. Dave Clausen La Cañada High School Enumerated Types Enumerated Types This is a new simple type that is defined by listing (enumerating) the literal values to be used in this type.

More information

CHIROPRACTIC MARKETING CENTER

CHIROPRACTIC MARKETING CENTER Marketing Plan Sample Marketing Calendar Here is a sample yearly marketing plan. You should use something similar, but of course add or remove strategies as appropriate for your practice. Letter and advertisement

More information

Auction Calendar 2017/2018 for Capacity Allocation Mechanism Network Code

Auction Calendar 2017/2018 for Capacity Allocation Mechanism Network Code CAP682-16 Version date: October 07 2016 Calendar 2017/2018 for Capacity Allocation Mechanism Network Code EXPLANATORY NOTE/DISCLAIMER The Network Code on Capacity Allocation Mechanisms in Gas Transmission

More information

Spreadsheet Software Level 5. Build-up workbook

Spreadsheet Software Level 5. Build-up workbook Spreadsheet Software Level 5 Build-up workbook MS Excel 2007 SPREADSHEET FUNCTIONS A function is simply a specialised calculation that Excel has memorised. There are many functions (around 200) built into

More information

AP Statistics Assignments Mr. Kearns José Martí MAST 6-12 Academy

AP Statistics Assignments Mr. Kearns José Martí MAST 6-12 Academy AP Statistics Assignments Mr. Kearns José Martí MAST 6-12 Academy 2016-2017 Date Assigned Assignments Interested in Join the Edmodo group 2017 Summer Work Group for community service Green Club using the

More information

5.3 Study schedule for 2019: Advanced University Diplomas in Health Sciences, BCur (Ed et. Adm)

5.3 Study schedule for 2019: Advanced University Diplomas in Health Sciences, BCur (Ed et. Adm) 5.3 Study schedule for 2019: Advanced University Diplomas in Health Sciences, Interpretation of the study schedule: Contact sessions are on Saturdays BCur (Ed et. Adm) NSDT111/1 st, 2 nd, 3 rd, 4 th indicates

More information

Marketing Opportunities

Marketing Opportunities Email Marketing Opportunities Write the important dates and special events for your organization in the spaces below. You can use these entries to plan out your email marketing for the year. January February

More information

YEAR 8 STUDENT ASSESSMENT PLANNER SEMESTER 1, 2018 TERM 1

YEAR 8 STUDENT ASSESSMENT PLANNER SEMESTER 1, 2018 TERM 1 YEAR 8 STUDENT ASSESSMENT PLANNER SEMESTER 1, 2018 TERM 1 Term 1 - Due Dates 22 26 January 29 January 2 February 5 9 February 12 16 February 19 23 February 26 February 2 March 5 9 March 12 16 March 19

More information

ACT! Calendar to Excel

ACT! Calendar to Excel Another efficient and affordable ACT! Add-On by ACT! Calendar to Excel v.6.0 for ACT! 2008 and up http://www.exponenciel.com ACT! Calendar to Excel 2 Table of content Purpose of the add-on... 3 Installation

More information

2/15/12. CS 112 Introduction to Programming. Lecture #16: Modular Development & Decomposition. Stepwise Refinement. Zhong Shao

2/15/12. CS 112 Introduction to Programming. Lecture #16: Modular Development & Decomposition. Stepwise Refinement. Zhong Shao 2/15/12 Stepwise Refinement CS 112 Introduction to Programming main idea: use functions to divide a large programming problem into smaller pieces that are individually easy to understand ------decomposition

More information

Drawing Courses. Drawing Art. Visual Concept Design. Character Development for Graphic Novels

Drawing Courses. Drawing Art. Visual Concept Design. Character Development for Graphic Novels 2018 COURSE DETAILS Drawing Courses Drawing Art Dates 13 March - 18 September 2018 also incl. life drawing sessions on the following Saturdays: 18 & 25 August, 8 & 15 September 18 classes (36 hours) Building

More information

UNIVERSITY EVENTS CALENDAR TIP SHEET

UNIVERSITY EVENTS CALENDAR TIP SHEET INFORMATION TECHNOLOGY SERVICES UNIVERSITY EVENTS CALENDAR TIP SHEET Discover what s happening on campus with Florida State University s interactive events calendar. The calendar powered by Localist brings

More information

Paluch. press. Posting the Bulletin to your Website

Paluch. press. Posting the Bulletin to your Website TEXT EFFECTS... 2 J.S. Paluch Company Volume 15, Issue 1 3708 River Road Suite 400 Jan./Feb/March, 2014 Franklin Park, IL 60131 1-800-566-6171 THUMBNAIL IMAGES... 5 WORLD LIBRARY PRODUCTS... 7 J.S. Paluch

More information

VTC FY19 CO-OP GOOGLE QUALIFICATIONS PARAMETERS & REIMBURSEMENT DOCUMENTATION HOW-TO

VTC FY19 CO-OP GOOGLE QUALIFICATIONS PARAMETERS & REIMBURSEMENT DOCUMENTATION HOW-TO VTC FY19 CO-OP GOOGLE QUALIFICATIONS PARAMETERS & REIMBURSEMENT DOCUMENTATION HOW-TO 1 TABLE OF CONTENTS 01 CO-OP QUALIFICATIONS 02 REQUIRED DOCUMENTATION 03 REPORTING HOW-TO 04 REIMBURSEMENT PROCESS 2

More information

Introduction to programming using Python

Introduction to programming using Python Introduction to programming using Python Matthieu Choplin matthieu.choplin@city.ac.uk http://moodle.city.ac.uk/ Session 5 1 Objectives To come back on the definition of functions To invoke value-returning

More information

Module Four: Charts and Media Clips

Module Four: Charts and Media Clips Module Four: Charts and Media Clips Charts, sometimes called graphs, are a way to present detailed data to an audience in an easy to understand visual format. Media clips can turn your presentation into

More information

View a Students Schedule Through Student Services Trigger:

View a Students Schedule Through Student Services Trigger: Department Responsibility/Role File Name Version Document Generation Date 6/10/2007 Date Modified 6/10/2007 Last Changed by Status View a Students Schedule Through Student Services_BUSPROC View a Students

More information

ControlLogix/Studio 5000 Logix Designer Course Code Course Title Duration CCP143 Studio 5000 Logix Designer Level 3: Project Development 4.

ControlLogix/Studio 5000 Logix Designer Course Code Course Title Duration CCP143 Studio 5000 Logix Designer Level 3: Project Development 4. NORTH CONTROLLERS ControlLogix/Studio 5000 Logix Designer CCP143 Studio 5000 Logix Designer Level 3: Project Development 4.0 Tuesday, March 7, 2017 Friday, March 10, 2017 CCP146 Studio 5000 Logix Designer

More information

Algorithm For Scheduling Around Weekends And Holidays

Algorithm For Scheduling Around Weekends And Holidays Algorithm For Scheduling Around Weekends And Holidays Scott Auge scott_auge@amduus.com sauge@amduus.com Introduction We have all heard the phrase x business days for something to be delivered or done.

More information

Troop calendar

Troop calendar Troop 546 2013-2014 calendar For questions and information please visit www.troop546peoriaaz.com or email troop546info@googlegroups.com August Court of honor Tue Aug 27, 2013 6pm - 7:30pm Award scouts

More information

Maintaining the Central Management System Database

Maintaining the Central Management System Database CHAPTER 12 Maintaining the Central Management System Database This chapter describes how to maintain the Central Management System (CMS) database using CLI commands as well as using the Content Distribution

More information

MagicListbox Description. MagicListbox. A Listbox Component from Simon Berridge RealStudio 2011 R4.3.

MagicListbox Description. MagicListbox. A Listbox Component from Simon Berridge RealStudio 2011 R4.3. MagicListbox A Listbox Component from Simon Berridge simberr@gmail.com RealStudio 2011 R4.3 Page 1 of 12 Table of Contents Introduction! 4 New Properties! 5 Property List Editor Properties! 5 TableType

More information

Lesson 1: Creating a Worksheet and a Chart Microsoft Excel 2016 IN THIS CHAPTER, YOU WILL LEARN HOW TO

Lesson 1: Creating a Worksheet and a Chart Microsoft Excel 2016 IN THIS CHAPTER, YOU WILL LEARN HOW TO Lesson 1: Creating a Worksheet and a Chart Microsoft Excel 2016 IN THIS CHAPTER, YOU WILL LEARN HOW TO Describe the Excel worksheet Enter text and numbers Use the Sum button to sum a range of cells Enter

More information

EEN118 22nd November These are my answers. Extra credit for anyone who spots a mistike. Except for that one. I did it on purpise.

EEN118 22nd November These are my answers. Extra credit for anyone who spots a mistike. Except for that one. I did it on purpise. EEN118 22nd November 2011 These are my answers. Extra credit for anyone who spots a mistike. Except for that one. I did it on purpise. 5. An automatic animal monitoring device sits in the african savannah

More information

The following list represents the written codes in order:

The following list represents the written codes in order: The following list represents the written codes in order: 1 #include #include void main() double x; double y; char ch; while (true) cout > x; cout

More information

MULTIPLE CHOICE. Choose the one alternative that best completes the statement or answers the question.

MULTIPLE CHOICE. Choose the one alternative that best completes the statement or answers the question. Exam Name MULTIPLE CHOICE. Choose the one alternative that best completes the statement or answers the question. Write a description of the set. 1) {January, February, March, April, May, June, July, August,

More information

IVR (Interactive Voice Response) Operation Manual

IVR (Interactive Voice Response) Operation Manual IVR (Interactive Voice Response) Operation Manual Ver2.1.0 2018/11/14 Ver2.0.2 2017/07/25 Ver2.0.1 2016/12/22 Table of Contents Settings (Setting User Information) A Cloud PBX Option feature. This manual

More information

Murdock-Portal Band Parent Handbook

Murdock-Portal Band Parent Handbook Murdock-Portal Band Parent Handbook for the 14/15 School Year *****PLEASE READ***** This handbook contains your child s CLASS SCHEDULE and THE TOP TEN THINGS BAND PARENTS NEED TO KNOW Top Ten Things Band

More information

Technical Specifications

Technical Specifications Technical Specifications Online, E-Newsletter & Webinars CONTACT Alex Shikany Vice President - AIA 900 Victors Way, Suite 140 Ann Arbor, Michigan 48108 Tel: 734.994.6088 Fax: 734.994.3338 E-mail: ashikany@robotics.org

More information

HN1000/HN2000 Product Manual

HN1000/HN2000 Product Manual HN1000/HN2000 Product Manual TABLE OF CONTENTS 1.0 Introduction...1 2.0 Mounting the HN1000/HN2000... 2 3.0 Setting Up Your Optional upunch Account... 4 3.1 Creating Your Account...4 3.2 Adding Departments

More information

Introducing your new ACH ALERT USER GUIDE. Updated

Introducing your new ACH ALERT USER GUIDE. Updated Introducing your new ACH ALERT USER GUIDE Updated 03.09.18 Table of Contents DASHBOARD 3 General...3 Viewing the Dashboard...4 Viewing the Dashboard After EOD with Additional File Load...9 USER PRIVILEGES

More information

: 65% to 84% - M for Merit : 50% to 64% - P for Pass : 0% to 49% - R for Referral

: 65% to 84% - M for Merit : 50% to 64% - P for Pass : 0% to 49% - R for Referral MICRONET INTERNATIONAL COLLEGE BDTVEC HIGHER PRE NATIONAL DIPLOMA IN COMPUTING Software Applications Full Time Intake 24 September 22 February COURSE LECTURER : Basilissa Chin Min Yii EMAIL : basilissachin.micronet@gmail.com

More information

User Guide. Schmooze Com Inc.

User Guide. Schmooze Com Inc. Schmooze Com Inc. Chapters Overview Main Landing Page Add a Reminder Manage Recipients Reporting Overview The Appointment Reminder module is a unique way to automate Appointment Reminders. By simply specifying

More information

CSE 115. Introduction to Computer Science I

CSE 115. Introduction to Computer Science I CSE 115 Introduction to Computer Science I Road map Review Exercises from last time Reading csv files exercise File reading A b i t o f t e x t \n o n s e v e r a l l i n e s \n A text file is a sequence

More information

Intellicus Enterprise Reporting and BI Platform

Intellicus Enterprise Reporting and BI Platform Designing Adhoc Reports Intellicus Enterprise Reporting and BI Platform Intellicus Technologies info@intellicus.com www.intellicus.com Designing Adhoc Reports i Copyright 2012 Intellicus Technologies This

More information

ADVANCED ALGORITHMS TABLE OF CONTENTS

ADVANCED ALGORITHMS TABLE OF CONTENTS ADVANCED ALGORITHMS TABLE OF CONTENTS ADVANCED ALGORITHMS TABLE OF CONTENTS...1 SOLVING A LARGE PROBLEM BY SPLITTING IT INTO SEVERAL SMALLER SUB-PROBLEMS CASE STUDY: THE DOOMSDAY ALGORITHM... INTRODUCTION

More information

EECS2030 Fall 2016 Preparation Exercise for Lab Test 2: A Birthday Book

EECS2030 Fall 2016 Preparation Exercise for Lab Test 2: A Birthday Book EECS2030 Fall 2016 Preparation Exercise for Lab Test 2: A Birthday Book Chen-Wei Wang Contents 1 Before Getting Started 2 2 Task: Implementing Classes for Birthdays, Entries, and Books 3 2.1 Requirements

More information

No Trade Secrets. Microsoft does not claim any trade secret rights in this documentation.

No Trade Secrets. Microsoft does not claim any trade secret rights in this documentation. [MS-DPAD]: Intellectual Property Rights Notice for Open Specifications Documentation Technical Documentation. Microsoft publishes Open Specifications documentation for protocols, file formats, languages,

More information

ABBYY Recognition Server 4 Release 6 Release Notes

ABBYY Recognition Server 4 Release 6 Release Notes ABBYY Recognition 4 Release 6 Release Notes Release Date: 12.12.2017 Part: 1135/24 Build: 4.0.7.575 OCR Technology Build: 13.0.35.70 ABBYY. All rights reserved. Table of Contents INTRODUCTION... 3 About

More information

2017 Summer Review for Students Entering Pre-Algebra 7 & Pre-Algebra 8

2017 Summer Review for Students Entering Pre-Algebra 7 & Pre-Algebra 8 1. Area and Perimeter of Polygons 2. Multiple Representations of Portions 3. Multiplying Fractions and Decimals 4. Order of Operations 5. Writing and Evaluating Algebraic Expressions 6. Simplifying Expressions

More information

Study schedule for 2018: Advanced University Diplomas in Health Sciences, BCur (Ed et Adm)

Study schedule for 2018: Advanced University Diplomas in Health Sciences, BCur (Ed et Adm) Study schedule for 2018: Advanced University Diplomas in Health Sciences, Interpretation of the study schedule: BCur (Ed et Adm) Contact sessions are on Saturdays except autumn/spring school and special

More information

Cambridge English Dates and Fees for 2018

Cambridge English Dates and Fees for 2018 Cambridge English Dates and Fees for 2018 Cambridge English: Key (KET) KET 10,900.00 10,500.00 10,300.00 Saturday, 17 March Thursday, 01 February 9 March 18 March Saturday, 12 May Friday, 6 April 4 May

More information

PUBLIC NOTICE Environmental Advisory Board Regular Meeting Wednesday, January 23, 2013 Masny Room, 7:00 PM AGENDA

PUBLIC NOTICE Environmental Advisory Board Regular Meeting Wednesday, January 23, 2013 Masny Room, 7:00 PM AGENDA Wednesday, January 23, 2013 III. Approval of Minutes: November 2012 A. Beachcomber articles B. Recycling Initiative C. Education E. Communications/Calendar F. Green Teams G. Popcorn Science H. Bike Tour,

More information

hereby recognizes that Timotej Verbovsek has successfully completed the web course 3D Analysis of Surfaces and Features Using ArcGIS 10

hereby recognizes that Timotej Verbovsek has successfully completed the web course 3D Analysis of Surfaces and Features Using ArcGIS 10 3D Analysis of Surfaces and Features Using ArcGIS 10 Completed on September 5, 2012 3D Visualization Techniques Using ArcGIS 10 Completed on November 19, 2011 Basics of Map Projections (for ArcGIS 10)

More information

Part No. P CallPilot. Programming Record

Part No. P CallPilot. Programming Record Part o. P0941757 01.1 CallPilot Programming Record 2 P0941757 01.1 About the CallPilot Programming Record 3 Use this guide to record how you program your CallPilot 100/150 or Business Communications Manager

More information

2014 FALL MAILING SEASON Update for the Mailing Industry. August 18, 2014

2014 FALL MAILING SEASON Update for the Mailing Industry. August 18, 2014 2014 FALL MAILING SEASON Update for the Mailing Industry August 18, 2014 Agenda Service Actions Taken in 2014 Fall Mailing Season 2013 Review Drop Ship Profile Machine Utilization FSS Holiday Preparedness

More information