Animation. Classes in Python. Importing Modules. Modules in Python. CS111 Computer Programming. o We studied classes last week o Convention:

Size: px
Start display at page:

Download "Animation. Classes in Python. Importing Modules. Modules in Python. CS111 Computer Programming. o We studied classes last week o Convention:"

Transcription

1 Animatin CS111 Cmputer Prgramming Department f Cmputer Science Wellesley Cllege Classes in Pythn We studied classes last week Cnventin: We will start names f classes with an upper case letter, and cntinue in lwer case (except t indicate wrd bundaries). class ThisIsALegitimateClassName: class AndThis: class Canvas: This is just a cnventin. Pythn desn t care if yu flut it. But yu will cnfuse readers f yur cde if yu write uncnventinal names like: class badname: class classwithaterriblename 18-2 Mdules in Pythn A mdule is a file cntaining pythn definitins. Cnventin: name yur mdules in lwercase. Our Intentin: Mdules will cntain definitins f classes Try t keep related classes tgether in ne mdule We re nt the nly nes cs1graphics.py had a lt f class definitins Many classes: Canvas, Circle, etc.. Imprting Mdules The ld, lazy way: frm cs1graphics imprt * Lets us refer t Canvas, Circle, Plygn, etc The better way: imprt cs1graphics Nw yu must use full names f classes: cs1graphics.canvas, cs1graphics.plygn, etc The preferred Pythnic way: imprt cs1graphics as cs1g # r sme ther shrt name Nw the full names f classes are shrtened: cs1g.canvas, cs1g.plygn, etc

2 Drawing with Tkinter Fairly similar t cs1graphics Tends t require fewer lines f cde Sme things that are easy in cs1graphics can be challenging in Tkinter: N built-in Layers. Layers will require a list f what s been drawn, and yu ll use fr lps t affect each layer item. N rtatins. Yu ll have t maintain a list f crdinates and perfrm trignmetry and linear algebra t achieve rtatins (r trickery, as we ll see in Windmills shrtly). N flips. Again, yu ll have t maintain lists f crdinates. First Example Lk at cde in TkinterDrawDem Things t nte: tk.tk # rt bject tk.frame # t hld the tk.canvas # in which we draw The App class Alternative way t make clrs RGB tri #rrggbb rr is tw hex digits frm 00 t FF (0-255) fr red cmpnent. Similarly gg green, bb blue Add sme bells and whistles Lk at TkinterDrawDem2.py Observe hw yu can mve items n a canvas self.canvas.mve(id, dx, dy) Observe hw yu can mdify sme attributes (like clr) f items n a canvas self.canvas.itemcnfig(id, ) Observe hw yu can time things t ccur after a specified number f millisecnds after(time, functin) Macs nly (bserve hw t bring drawing windw t frnt) A first animatin The Blb Canpy nly: Need t kill rt after animatin!

3 Animatins Our animatins will use the tkinter and animatin mdules: imprt Tkinter as tk imprt animatin The animatin mdule cntains tw classes: AnimatinCanvas and AnimatedObject T create animatins, we will perfrm the fllwing steps: Create an animatedcanvas bject canvas = animatin.animatincanvas(frame, width=500, height=300) Add an animated bject t the Animatin canvas.additem(blb.blb(canvas, (100, 150), 40, 20, "gld", 5)) Start the animatin canvas.start() 18-9 canvas.additem(blb.blb(canvas, (100, 150), 40, 20, "gld", 5)) A Blb The Blb class is defined in the mdule blb.py S yu will want t imprt blb class Blb(animatin.AnimatedObject): A Blb is an animatin.animatedobject What s an Animated Object? Animated Objects Like any bject, an animated bject has state and behavirs (instance variables and methds), and the state f the bject can change ver time. T enable creatin f animated bjects, we write a new class that inherits frm the AnimatedObject class and verrides the fllwing methd: mve(self) '''Changes the state f the bject frm ne frame t the next''' Example Animated Object: Blb imprt animatin class Blb(animatin.AnimatedObject): def mve(self):

4 Blb init methd class Blb(animatin.AnimatedObject): What prperties are the same fr all Blb bjects? What prperties differ? Hw will Blb bjects be drawn (d we want Rectangles, Arcs, etc.)? What instance variables d we want? Hw shuld the instance variables be initialized? class Blb(AnimatedObject): def init (self, canvas xy, w, h, ink, delta): self.canvas = canvas # my animatincanvas self.delta = delta # my speed self.id = self.canvas.create_val( xy[0], xy[1], xy[0]+w, xy[1]+h, # bunding bx fill=ink # clr ) class Blb(AnimatedObject): def mve(self): Many Blbs Animatin T create animatins, we will perfrm the fllwing steps: Create a Canvas bject Create an animated bject Add the animated bject t the Animatin Start the animatin But this time we ll add a bunch f Blbs canvas = animatincanvas.animatincanvas(frame, width=500, height=300) canvas.pack() canvas.additem(blb.blb(canvas, (100, 100), 40, 20, "red", 3)) canvas.additem(blb.blb(canvas, (100, 150), 40, 40, "blue", 5)) canvas.additem(blb.blb(canvas, (200, 200), 20, 40, "gld", -5)) canvas.additem(blb.blb(canvas, (20, 250), 5, 5, "black", -1))

5 Windmill Animatin Recall: fr animatins, we will perfrm the fllwing steps: Create an animatincanvas bject Create an animated bject Add the animated bject t the Animatin Start the animatin canvas = animatin.animatincanvas(frame, width=500, height=300) canvas.additem(windmill.windmill(canvas, (250, 100), 50, 10, "red", 2)) canvas.additem(windmill.windmill(canvas, (150, 100), 50, 10, "blue", -2)) canvas.additem(windmill.windmill(canvas, (350, 200), 50, 10, "green", 14)) Animatins -- Reminders Our animatins use the tkinter and animatin mdules: imprt Tkinter as tk imprt animatin T create animatins, we perfrm the fllwing steps: Create an animatedcanvas bject canvas = animatincanvas.animatincanvas(frame, width=500, height=300) Add an animated bject t the Animatin canvas.additem(windmill.windmill(canvas, (250, 100), 50, 10, "red", 2) Start the animatin canvas.start() Animated Objects Like any bject, an animated bject has state and behavirs (instance variables and methds), and the state f the bject can change ver time. T enable creatin f animated bjects, we write a new class that inherits frm the AnimatedObject class and verrides the fllwing methd: mve(self) '''Changes the state f the bject frm ne frame t the next''' Example Animated Object: Windmill imprt animatin class Windmill(animatin.AnimatedObject): def mve(self):

6 Windmill init methd class Windmill(animatin.AnimatedObject): class Windmill(AnimatedObject): What prperties are the same fr all Windmill bjects? What prperties differ? Hw will Windmill bjects be drawn (d we want Rectangles, Arcs, Lines etc.)? What instance variables d we want? Hw shuld the instance variables be initialized? class Windmill(AnimatedObject): Windmill Animatin T create animatins, we will perfrm the fllwing steps: Create a Canvas bject Create an animated bject Add the animated bject t the Animatin Start the animatin

7 Other Prperties t Animate In the windmill animatin, the Layer cntaining the blades was rtated each frame. What if we wanted an animated bject t change its size each frame? Or mve acrss the screen? Or change its clr? 18-25

David Drivers Revit One-sheets: Linked Project Positioning and shared coordinates

David Drivers Revit One-sheets: Linked Project Positioning and shared coordinates This paper discusses the fllwing features f Revit Building Shared Crdinates Named lcatins Publish and acquire Vs Saving lcatins Shared Crdinates and wrkset enabled files Revisin 1 (Versin 9.0) David Driver.

More information

How to use your new phone

How to use your new phone Hw t use yur new phne Manufacturer: Mdel: Descriptin: Tshiba DP5022F-SD Digital business telephne with 4-line LCD display. Hearing Aid Cmpatible This page left intentinally blank Cntents Phne layut Adjust

More information

Dreamweaver MX 2004. Templates

Dreamweaver MX 2004. Templates Dreamweaver MX 2004 Templates Table f Cntents Dreamweaver Templates... 3 Creating a Dreamweaver template... 3 Types f template regins... 4 Inserting an editable regin... 4 Selecting editable regins...

More information

Times Table Activities: Multiplication

Times Table Activities: Multiplication Tny Attwd, 2012 Times Table Activities: Multiplicatin Times tables can be taught t many children simply as a cncept that is there with n explanatin as t hw r why it is there. And mst children will find

More information

GETTING STARTED IN BUILDER 1 WITH AN AUTOCAD DWG DRAWING

GETTING STARTED IN BUILDER 1 WITH AN AUTOCAD DWG DRAWING Structural Cncrete Sftware System TN246_getting_started_dwg_14 052907 GETTING STARTED IN BUILDER 1 WITH AN AUTOCAD DWG DRAWING This Technical Nte is intended fr the first time users f ADAPT-Mdeler r Flr

More information

Welcome to Microsoft Access Basics Tutorial

Welcome to Microsoft Access Basics Tutorial Welcme t Micrsft Access Basics Tutrial After studying this tutrial yu will learn what Micrsft Access is and why yu might use it, sme imprtant Access terminlgy, and hw t create and manage tables within

More information

Exchanging Files Securely with Gerstco Using gpg4win Public Key Encryption

Exchanging Files Securely with Gerstco Using gpg4win Public Key Encryption Exchanging Files Securely with Gerstc Using gpg4win Public Key Encryptin Overview Visit the fllwing page n Gerstc s website t watch a vide verview f Public Key Encryptin: www.gerstc.cm/???? Initial Setup

More information

DIRECT DATA EXPORT (DDE) USER GUIDE

DIRECT DATA EXPORT (DDE) USER GUIDE 2 ND ANNUAL PSUG-NJ CONFERNCE PSUG-NJ STUDENT MANAGEMENT SYSTEM DIRECT DATA EXPORT (DDE) USER GUIDE VERSION 7.6+ APRIL, 2013 FOR USE WITH POWERSCHOOL PREMIER VERSION 7.6+ Prepared by: 2 TABLE OF CONTENTS

More information

Exercise 5 Server Configuration, Web and FTP Instructions and preparatory questions Administration of Computer Systems, Fall 2008

Exercise 5 Server Configuration, Web and FTP Instructions and preparatory questions Administration of Computer Systems, Fall 2008 Exercise 5 Server Cnfiguratin, Web and FTP Instructins and preparatry questins Administratin f Cmputer Systems, Fall 2008 This dcument is available nline at: http://www.hh.se/te2003 Exercise 5 Server Cnfiguratin,

More information

Using Identity Finder. ITS Training Document

Using Identity Finder. ITS Training Document Using Identity Finder ITS Training Dcument Hw t search and remve Persnally Identifiable Infrmatin (PII) frm yur cmputer using Identity Finder sftware. Using Identity Finder ITS Training Dcument Our intentin

More information

Your Outlook Mailbox can be accessed from any PC that is connected to the Internet.

Your Outlook Mailbox can be accessed from any PC that is connected to the Internet. Outlk Web Access Faculty and Staff Millsaps Cllege Infrmatin Technlgy Services Yur Outlk Mailbx can be accessed frm any PC that is cnnected t the Internet. Open the Web brwser. Type in this URL: https://mail.millsaps.edu

More information

Access EEC s Web Applications... 2 View Messages from EEC... 3 Sign In as a Returning User... 3

Access EEC s Web Applications... 2 View Messages from EEC... 3 Sign In as a Returning User... 3 EEC Single Sign In (SSI) Applicatin The EEC Single Sign In (SSI) Single Sign In (SSI) is the secure, nline applicatin that cntrls access t all f the Department f Early Educatin and Care (EEC) web applicatins.

More information

Lesson 22. 3-Dimensional Solids. Objectives. Classify 3-Dimensional solids Determine the Volume of 3-Dimensional solids. Student Name: Date:

Lesson 22. 3-Dimensional Solids. Objectives. Classify 3-Dimensional solids Determine the Volume of 3-Dimensional solids. Student Name: Date: Student Name: Date: Cntact t Persn Name: Phne Number: Lessn -Dimensinal Slids Objectives Classify -Dimensinal slids Determine the Vlume f -Dimensinal slids Authrs: Jasn March,.A. Tim Wilsn,.A. Editr: Graphics:

More information

HR Management Information (HRS)

HR Management Information (HRS) HR Management Infrmatin (HRS) Fact Sheet N 10. Managing Access t Claims Online T give access t ther departmental staff yu must be a Site Leader ie a Principal r Preschl Directr. If yu are nt a site leader

More information

Interworks Cloud Platform Citrix CPSM Integration Specification

Interworks Cloud Platform Citrix CPSM Integration Specification Citrix CPSM Integratin Specificatin Cntents 1. Intrductin... 2 2. Activatin f the Integratin Layer... 3 3. Getting the Services Definitin... 4 3.1 Creating a Prduct Type per Lcatin... 5 3.2 Create Instance

More information

Exercise 5 Server Configuration, Web and FTP Instructions and preparatory questions Administration of Computer Systems, Fall 2008

Exercise 5 Server Configuration, Web and FTP Instructions and preparatory questions Administration of Computer Systems, Fall 2008 Exercise 5 Server Cnfiguratin, Web and FTP Instructins and preparatry questins Administratin f Cmputer Systems, Fall 2008 This dcument is available nline at: http://www.hh.se/te2003 Exercise 5 Server Cnfiguratin,

More information

System Business Continuity Classification

System Business Continuity Classification System Business Cntinuity Classificatin Business Cntinuity Prcedures Infrmatin System Cntingency Plan (ISCP) Business Impact Analysis (BIA) System Recvery Prcedures (SRP) Cre Infrastructure Criticality

More information

Configuring and Integrating LDAP

Configuring and Integrating LDAP Cnfiguring and Integrating LDAP The Basics f LDAP 3 LDAP Key Terms and Cmpnents 3 Basic LDAP Syntax 4 The LDAP User Experience Mnitr 6 This dcument includes infrmatin abut LDAP and its rle with SlarWinds

More information

How To Install Fcus Service Management Software On A Pc Or Macbook

How To Install Fcus Service Management Software On A Pc Or Macbook FOCUS Service Management Sftware Versin 8.4 fr Passprt Business Slutins Installatin Instructins Thank yu fr purchasing Fcus Service Management Sftware frm RTM Cmputer Slutins. This bklet f installatin

More information

Preparing to Deploy Reflection : A Guide for System Administrators. Version 14.1

Preparing to Deploy Reflection : A Guide for System Administrators. Version 14.1 Preparing t Deply Reflectin : A Guide fr System Administratrs Versin 14.1 Table f Cntents Table f Cntents... 2 Preparing t Deply Reflectin 14.1:... 3 A Guide fr System Administratrs... 3 Overview f the

More information

Connecting to Email: Live@edu

Connecting to Email: Live@edu Cnnecting t Email: Live@edu Minimum Requirements fr Yur Cmputer We strngly recmmend yu upgrade t Office 2010 (Service Pack 1) befre the upgrade. This versin is knwn t prvide a better service and t eliminate

More information

Space Exploration Classroom Activity

Space Exploration Classroom Activity Space Explratin Classrm Activity The Classrm Activity intrduces students t the cntext f a perfrmance task, s they are nt disadvantaged in demnstrating the skills the task intends t assess. Cntextual elements

More information

DET Video Conference Network. Polycom. VSX Series 7000

DET Video Conference Network. Polycom. VSX Series 7000 DET Vide Cnference Netwrk Plycm VSX Series 7000. System Basics DET Vide Cnference Netwrk Using the Remte Cntrl The remte Cntrl is used t: Make calls Adjust vlume Navigate screens and Select ptins T enter

More information

Helpdesk Support Tickets & Knowledgebase

Helpdesk Support Tickets & Knowledgebase Helpdesk Supprt Tickets & Knwledgebase User Guide Versin 1.0 Website: http://www.mag-extensin.cm Supprt: http://www.mag-extensin.cm/supprt Please read this user guide carefully, it will help yu eliminate

More information

FOCUS Service Management Software Version 8.5 for Passport Business Solutions Installation Instructions

FOCUS Service Management Software Version 8.5 for Passport Business Solutions Installation Instructions FOCUS Service Management Sftware fr Passprt Business Slutins Installatin Instructins Thank yu fr purchasing Fcus Service Management Sftware frm RTM Cmputer Slutins. This bklet f installatin instructins

More information

CSS Vocabulary and Grammar Basics

CSS Vocabulary and Grammar Basics CSS Vcabulary and Grammar Basics CSS Stands fr Cascading Style Sheet CSS is a language system that allws yu t define the presentatin f elements in HTML The Presentatin f HTML elements has tw aspects t

More information

Supervisor Quick Guide

Supervisor Quick Guide Payrll Office: ext. 7611 payrll@dixie.edu Supervisr Quick Guide This dcument prvides an verview f the daily functins and respnsibilities t be cmpleted by Supervisrs in the EMPOWERTIME Autmated Timekeeping

More information

Software Quality Assurance Plan

Software Quality Assurance Plan Sftware Quality Assurance Plan fr AnthrpdEST pipeline System Versin 1.0 Submitted in partial fulfillment f the requirements f the degree f Master f Sftware Engineering Prepared by Luis Fernand Carranc

More information

CSE 231 Fall 2015 Computer Project #4

CSE 231 Fall 2015 Computer Project #4 CSE 231 Fall 2015 Cmputer Prject #4 Assignment Overview This assignment fcuses n the design, implementatin and testing f a Pythn prgram that uses character strings fr data decmpressin. It is wrth 45 pints

More information

Creating automated reports using VBS AN 44

Creating automated reports using VBS AN 44 Creating autmated reprts using VBS AN 44 Applicatin Nte t the KLIPPEL R&D and QC SYSTEM Publishing measured results is imprtant t custmers and clients. While the KLIPPEL database cntains all infrmatin

More information

Access to the Ashworth College Online Library service is free and provided upon enrollment. To access ProQuest:

Access to the Ashworth College Online Library service is free and provided upon enrollment. To access ProQuest: PrQuest Accessing PrQuest Access t the Ashwrth Cllege Online Library service is free and prvided upn enrllment. T access PrQuest: 1. G t http://www.ashwrthcllege.edu/student/resurces/enterlibrary.html

More information

IT Quick Reference Guides Using Outlook 2011 for Mac for Faculty and Staff

IT Quick Reference Guides Using Outlook 2011 for Mac for Faculty and Staff IT Quick Reference Guides Using Outlk 2011 fr Mac fr Faculty and Staff Outlk Guides This guide cvers using Outlk 2011 fr Mac fr SU faculty and staff n campus cmputers. This des nt cver using Outlk 2011

More information

GED MATH STUDY GUIDE. Last revision July 15, 2011

GED MATH STUDY GUIDE. Last revision July 15, 2011 GED MATH STUDY GUIDE Last revisin July 15, 2011 General Instructins If a student demnstrates that he r she is knwledgeable n a certain lessn r subject, yu can have them d every ther prblem instead f every

More information

Creating Vehicle Requests

Creating Vehicle Requests Overview Vehicle requisitins, including additins, replacements, dnatins and leases, are submitted, reviewed, and apprved using the State f Gergia Frms in VITAL Insights. The prcess has three levels f review

More information

Student Academic Learning Services Page 1 of 7. Statistics: The Null and Alternate Hypotheses. A Student Academic Learning Services Guide

Student Academic Learning Services Page 1 of 7. Statistics: The Null and Alternate Hypotheses. A Student Academic Learning Services Guide Student Academic Learning Services Page 1 f 7 Statistics: The Null and Alternate Hyptheses A Student Academic Learning Services Guide www.durhamcllege.ca/sals Student Services Building (SSB), Rm 204 This

More information

HeartCode Information

HeartCode Information HeartCde Infrmatin Hw t Access HeartCde Curses... 1 Tips fr Cmpleting Part 1 the nline curse... 5 HeartCde Part 2... 6 Accessing a Cmpleted Curse... 7 Frequently Asked Questins... 8 Hw t Access HeartCde

More information

Title: Poetic Devices #5 (Technology)

Title: Poetic Devices #5 (Technology) X X Stackable Cert. Dcumentatin Technlgy Study / Life skills EL-Civics Career Pathways Plice Paramedic Fire Rescue Medical Asst. EKG / Cardi Phlebtmy Practical Nursing Healthcare Admin Pharmacy Tech IMT

More information

Oracle Social Marketing Professional Services Descriptions. July 23, 2015

Oracle Social Marketing Professional Services Descriptions. July 23, 2015 Oracle Scial Marketing Prfessinal Services Descriptins July 23, 2015 TABLE OF CONTENTS ORACLE SOCIAL MARKETING: ONE-TIME SET-UP & TRAINING 2 SOCIAL MARKETING CONSULTING PACKAGE, LITE MID MARKET 2 SOCIAL

More information

Title: How Do You Handle Exchange Mailboxes for Employees Who Are No Longer With the Company

Title: How Do You Handle Exchange Mailboxes for Employees Who Are No Longer With the Company Dean Suzuki Blg Title: Hw D Yu Handle Exchange Mailbxes fr Emplyees Wh Are N Lnger With the Cmpany Created: 1/21/2013 Descriptin: I asked by ne f my custmers, hw d yu handle mailbxes fr emplyees wh are

More information

TRAINING GUIDE. Web Apps Dashboard Setup Training

TRAINING GUIDE. Web Apps Dashboard Setup Training TRAINING GUIDE Web Apps Dashbard Setup Training Web Applicatins Dashbard Setup Training In this bklet, we ll intrduce yu t the Dashbard. We ll prvide yu with detailed instructins n creating custmized Dashbard

More information

Samsung Saga Software Upgrade for Microsoft Windows Vista Instructions

Samsung Saga Software Upgrade for Microsoft Windows Vista Instructions Samsung Saga Sftware Upgrade fr Micrsft Windws Vista Instructins Overview Samsung has released a sftware upgrade fr the Samsung Saga, which is recmmended t be installed. This upgrade includes numerus sftware

More information

Citrix Client (PN Agent) Upgrade Citrix Receiver 3.3

Citrix Client (PN Agent) Upgrade Citrix Receiver 3.3 1 P a g e February, 2013 Citrix Client (PN Agent) Upgrade Citrix Receiver 3.3 OCFS is in the prcess f upgrading the Citrix Server Envirnment, which requires an update t the Citrix Client (PN Agent). The

More information

Application Note: 202

Application Note: 202 Applicatin Nte: 202 MDK-ARM Cmpiler Optimizatins Getting the Best Optimized Cde fr yur Embedded Applicatin Abstract This dcument examines the ARM Cmpilatin Tls, as used inside the Keil MDK-ARM (Micrcntrller

More information

Implementation of Doppler Radar

Implementation of Doppler Radar Implementatin f Dppler Radar Applicatin Nte Justin Erskine ECE 480 Design Team 5 Executive Summary Dppler radar is an easy and effective way t measure relative speed. With the ability t make smaller antennas,

More information

Chalkable Classroom Lesson Plans

Chalkable Classroom Lesson Plans Chalkable Classrm Lessn Plans Creating a Lessn Plan Lessn Plans are created as items in Chalkable Classrm. Nte: Lessn plans were created as activities in InfrmatinNOW Grade Bk. Refer t the Chalkable Classrm

More information

Note: The designation of a Roommate is determined from the Occupants table. Roommate checkbox must be checked.

Note: The designation of a Roommate is determined from the Occupants table. Roommate checkbox must be checked. MultiSite Feature: Renters Insurance Versin 2 with Rmmates Renter s Insurance infrmatin can be tracked n each resident and rmmate, including insurance histry. Infrmatin can be edited in the Renters Insurance

More information

Pronestor Visitor. Module 11. Installation of additional modules Pronestor Visitor Page 11.0 11.6

Pronestor Visitor. Module 11. Installation of additional modules Pronestor Visitor Page 11.0 11.6 Prnestr Visitr Prnestr Visitr Mdule 11 Installatin f additinal mdules Prnestr Visitr Page 11.0 11.6 A guide t the installatin f additinal mdules in Prnestr Visitr. Hst imprt (AD integratin) Page 11.1 11.3

More information

Merchant Management System. New User Guide CARDSAVE

Merchant Management System. New User Guide CARDSAVE Merchant Management System New User Guide CARDSAVE Table f Cntents Lgging-In... 2 Saving the MMS website link... 2 Lgging-in and changing yur passwrd... 3 Prcessing Transactins... 4 Security Settings...

More information

Online Learning Portal best practices guide

Online Learning Portal best practices guide Online Learning Prtal Best Practices Guide best practices guide This dcument prvides Micrsft Sftware Assurance Benefit Administratrs with best practices fr implementing e-learning thrugh the Micrsft Online

More information

SoftLayer Development Lab

SoftLayer Development Lab SftLayer Develpment Lab Phil Jacksn, Chief Evangelist, SftLayer pjacksn@sftlayer.cm @underscrephil Brad DesAulniers, Sftware Engineer, Advanced Clud Slutins IBM GTS bradd@us.ibm.cm @cb_brad Angel Tmala-Reyes,

More information

Click here to open the library

Click here to open the library Dcument Management What is a Dcument Library? Use a dcument library t stre, rganize, sync, and share dcuments with peple. Yu can use cauthring, versining, and check ut t wrk n dcuments tgether. With yur

More information

TRAINING GUIDE. Crystal Reports for Work

TRAINING GUIDE. Crystal Reports for Work TRAINING GUIDE Crystal Reprts fr Wrk Crystal Reprts fr Wrk Orders This guide ges ver particular steps and challenges in created reprts fr wrk rders. Mst f the fllwing items can be issues fund in creating

More information

Software Distribution

Software Distribution Sftware Distributin Quantrax has autmated many f the prcesses invlved in distributing new cde t clients. This will greatly reduce the time taken t get fixes laded nt clients systems. The new prcedures

More information

Frequently Asked Questions November 19, 2013. 1. Which browsers are compatible with the Global Patent Search Network (GPSN)?

Frequently Asked Questions November 19, 2013. 1. Which browsers are compatible with the Global Patent Search Network (GPSN)? Frequently Asked Questins Nvember 19, 2013 General infrmatin 1. Which brwsers are cmpatible with the Glbal Patent Search Netwrk (GPSN)? Ggle Chrme (v23.x) and IE 8.0. 2. The versin number and dcument cunt

More information

SMART Notebook 11.4. Windows operating systems

SMART Notebook 11.4. Windows operating systems SMART Ntebk 11.4 Windws perating systems User s guide Scan the fllwing QR cde t view the SMART Ntebk sftware Help n yur smart phne r ther mbile device. Trademark ntice SMART Ntebk, SMART Dcument Camera,

More information

PIERCE O R G / C C U S E R S

PIERCE O R G / C C U S E R S Radmap Drawings HOW-TO GUIDE PIERCE This dcument is designed t train cmmunity cllege users f the Career Pathways Radmap Web Tl thrugh: the steps f initial lg in t the Web Tl; creating, editing and managing

More information

o 1.1 - How AD Query Works o 1.2 - Installation Requirements o 2.1 - Inserting your License Key o 2.2 - Selecting and Changing your Search Domain

o 1.1 - How AD Query Works o 1.2 - Installation Requirements o 2.1 - Inserting your License Key o 2.2 - Selecting and Changing your Search Domain SysOp Tls Active Directry Management sftware Active Directry Query v1.x Sftware Installatin and User Guide Updated September 29, 2008 In This Dcument: 1.0 Intrductin 1.1 - Hw AD Query Wrks 1.2 - Installatin

More information

Instructions for Certify

Instructions for Certify Lg int Certify using yur full Bwdin Cllege email address and yur passwrd. If yu have frgtten yur passwrd, select Frgt yur passwrd? frm the Certify Lgin page and fllw the Lst Passwrd Wizard steps. Add receipts

More information

Regions File Transmission

Regions File Transmission Regins File Transmissin Getting Started with FTPS Regins Bank Member FDIC Revised 022113 It s time t expect mre. Table f Cntents Getting Started with FTPS Setting Up FTPS Cnnectin in FTP Client 3 4 9 Regins

More information

Configuring an Email Client for your Hosting Support POP/IMAP mailbox

Configuring an Email Client for your Hosting Support POP/IMAP mailbox Cnfiguring an Email Client fr yur Hsting Supprt POP/IMAP mailbx This article lists the email settings and prt numbers fr pp and imap cnfiguratins, as well as fr SSL. It cntains instructins fr setting up

More information

AP Capstone Digital Portfolio - Teacher User Guide

AP Capstone Digital Portfolio - Teacher User Guide AP Capstne Digital Prtfli - Teacher User Guide Digital Prtfli Access and Classrm Setup... 2 Initial Lgin New AP Capstne Teachers...2 Initial Lgin Prir Year AP Capstne Teachers...2 Set up Yur AP Capstne

More information

Mobile Device Manager Admin Guide. Reports and Alerts

Mobile Device Manager Admin Guide. Reports and Alerts Mbile Device Manager Admin Guide Reprts and Alerts September, 2013 MDM Admin Guide Reprts and Alerts i Cntents Reprts and Alerts... 1 Reprts... 1 Alerts... 3 Viewing Alerts... 5 Keep in Mind...... 5 Overview

More information

SMART Product Drivers 10 for Windows and Mac computers

SMART Product Drivers 10 for Windows and Mac computers Release ntes SMART Prduct Drivers 10 fr Windws and Mac cmputers Abut these release ntes These release ntes dcument changes in SMART Prduct Drivers 10 (frmerly SMART Bard drivers 10), its minr releases

More information

Click Studios. Passwordstate. RSA SecurID Configuration

Click Studios. Passwordstate. RSA SecurID Configuration Passwrdstate RSA SecurID Cnfiguratin This dcument and the infrmatin cntrlled therein is the prperty f Click Studis. It must nt be reprduced in whle/part, r therwise disclsed, withut prir cnsent in writing

More information

HP Connected Backup Online Help. Version 8.7.1 04 October 2012

HP Connected Backup Online Help. Version 8.7.1 04 October 2012 HP Cnnected Backup Online Help Versin 8.7.1 04 Octber 2012 Legal Ntices Warranty The nly warranties fr Hewlett-Packard prducts and services are set frth in the express statements accmpanying such prducts

More information

BackupAssist SQL Add-on

BackupAssist SQL Add-on WHITEPAPER BackupAssist Versin 6 www.backupassist.cm 2 Cntents 1. Requirements... 3 1.1 Remte SQL backup requirements:... 3 2. Intrductin... 4 3. SQL backups within BackupAssist... 5 3.1 Backing up system

More information

VMD - continued: Making Movies

VMD - continued: Making Movies Bichem 660 2008 145 VMD - cntinued: Making Mvies (This sectin can be used immediately after Desktp Mlecular Graphics) VMD (http://www.ks.uiuc.edu/research/vmd/) is a free prgram develped at the Theretical

More information

Phi Kappa Sigma International Fraternity Insurance Billing Methodology

Phi Kappa Sigma International Fraternity Insurance Billing Methodology Phi Kappa Sigma Internatinal Fraternity Insurance Billing Methdlgy The Phi Kappa Sigma Internatinal Fraternity Executive Bard implres each chapter t thrughly review the attached methdlgy and plan nw t

More information

STIOffice Integration Installation, FAQ and Troubleshooting

STIOffice Integration Installation, FAQ and Troubleshooting STIOffice Integratin Installatin, FAQ and Trubleshting Installatin Steps G t the wrkstatin/server n which yu have the STIDistrict Net applicatin installed. On the STI Supprt page at http://supprt.sti-k12.cm/,

More information

GUARD1 /plus. PIPE Utility. User's Manual. Version 2.0

GUARD1 /plus. PIPE Utility. User's Manual. Version 2.0 GUARD1 /plus PIPE Utility User's Manual Versin 2.0 30700 Bainbridge Rad Sln, Ohi 44139 Phne 216-595-0890 Fax 216-595-0991 supprt@guard1.cm www.guard1.cm 2010 TimeKeeping Systems, Inc. GUARD1 PLUS and THE

More information

Common applications (append <space>& in BASH shell for long running applications)

Common applications (append <space>& in BASH shell for long running applications) CS 111 Summary User Envirnment Terminal windw: Prmpts user fr cmmands. BASH shell tips: fr cmmand line cmpletin. / t step backward/frward thrugh cmmand histry.! will re-execute

More information

IM, Presence, and Contacts

IM, Presence, and Contacts Find smene Lync 2013 Quick Reference IM, Presence, and Cntacts The quickest way t find smene via Lync is t launch a search by typing the persn s name r IM address in the search bx n the Lync main windw.

More information

Remote Desktop Tutorial. By: Virginia Ginny Morris

Remote Desktop Tutorial. By: Virginia Ginny Morris Remte Desktp Tutrial By: Virginia Ginny Mrris 2008 Remte Desktp Tutrial Virginia Ginny Mrris Page 2 Scpe: The fllwing manual shuld accmpany my Remte Desktp Tutrial vide psted n my website http://www.ginnymrris.cm

More information

Completing Contracts Online

Completing Contracts Online Cmpleting Cntracts Online Getting started using zipfrm Plus t cmplete cntracts nline quickly and efficiently The ziplgix Advantage Seamless prfessinal wrkflw Easy t use Reduced data entry Always accurate,

More information

INTRODUCTION Sharp Smart Board Quick reference Manual

INTRODUCTION Sharp Smart Board Quick reference Manual INTRODUCTION Sharp Smart Bard Quick reference Manual The Sharp Smart Bard is the 21st century answer t the 19 th century chalkbard. In a wrld that is autmatic and mves at a rate 100 times faster than befre,

More information

Steps to fix the product is not properly fixed issue for international clients.

Steps to fix the product is not properly fixed issue for international clients. Axxya Systems supprt cntact details 1-800-709-2977 ext 9 within US 1-425-999-4350 ext 9 utside f US Email supprt@axxya.cm Technical FAQ -- www.nutritinistpr.cm/help-center/ Steps t fix the prduct is nt

More information

HarePoint HelpDesk for SharePoint. For SharePoint Server 2010, SharePoint Foundation 2010. User Guide

HarePoint HelpDesk for SharePoint. For SharePoint Server 2010, SharePoint Foundation 2010. User Guide HarePint HelpDesk fr SharePint Fr SharePint Server 2010, SharePint Fundatin 2010 User Guide Prduct versin: 14.1.0 04/10/2013 2 Intrductin HarePint.Cm (This Page Intentinally Left Blank ) Table f Cntents

More information

How to Reduce Project Lead Times Through Improved Scheduling

How to Reduce Project Lead Times Through Improved Scheduling Hw t Reduce Prject Lead Times Thrugh Imprved Scheduling PROBABILISTIC SCHEDULING & BUFFER MANAGEMENT Cnventinal Prject Scheduling ften results in plans that cannt be executed and t many surprises. In many

More information

TheBrain 9 New Features and Benefits Overview

TheBrain 9 New Features and Benefits Overview TheBrain 9 New Features and Benefits Overview TheBrain 9 has been re-engineered frm the grund up and prvides enhanced capabilities in all aspects f the sftware. Frm the frnt-end user interface t the back-end

More information

How to Write Program Objectives/Outcomes

How to Write Program Objectives/Outcomes Hw t Write Prgram Objectives/Outcmes Objectives Gals and Objectives are similar in that they describe the intended purpses and expected results f teaching activities and establish the fundatin fr assessment.

More information

AvePoint Office Connect 1.31

AvePoint Office Connect 1.31 AvePint Office Cnnect 1.31 User Guide Issued May 2016 1 Table f Cntents What s New in this Guide... 4 Abut Office Cnnect... 5 Understanding the Office Cnnect Explrer... 6 Sharing Files with Others (Quick

More information

The NBEO National Center of Clinical Testing in Optometry (NCCTO) How to Access the NCCTO in the BB&T Building

The NBEO National Center of Clinical Testing in Optometry (NCCTO) How to Access the NCCTO in the BB&T Building The NBEO Natinal Center f Clinical Testing in Optmetry (NCCTO) Sectins Hw t Access the NCCTO in the BB&T Building 200 Suth Cllege Street, Suite 2020 Charltte, Nrth Carlina 28202 1.800.969.3926, Extensin

More information

Exercise 6: Gene Ontology Analysis

Exercise 6: Gene Ontology Analysis Overview: Intrductin t Systems Bilgy Exercise 6: Gene Ontlgy Analysis Gene Ontlgy (GO) is a useful resurce in biinfrmatics and systems bilgy. GO defines a cntrlled vcabulary f terms in bilgical prcess,

More information

Table of Contents. About... 18

Table of Contents. About... 18 Table f Cntents Abut...3 System Requirements...3 Hw it Wrks...4 Abut... 4 Hw SFA Admin Prtects Data... 4 Hw SFA User Wrks with Prtected Data... 4 Sandbxed Sessin Restrictins... 4 Secure File Access User

More information

Getting Your Fingers In On the Action

Getting Your Fingers In On the Action Rry Garfrth Getting Yur Fingers In On the Actin Once yu are able t strum with yur fingers, yu can begin fingerpicking! The first task is t learn yur hand psitin and t learn which fingers are used n which

More information

A COMPLETE GUIDE TO ORACLE BI DISCOVERER END USER LAYER (EUL)

A COMPLETE GUIDE TO ORACLE BI DISCOVERER END USER LAYER (EUL) A COMPLETE GUIDE TO ORACLE BI DISCOVERER END USER LAYER (EUL) Authr: Jayashree Satapathy Krishna Mhan A Cmplete Guide t Oracle BI Discverer End User Layer (EUL) 1 INTRODUCTION END USER LAYER (EUL) The

More information

Successful Video Conferencing, Lighting and Presentation Guidelines

Successful Video Conferencing, Lighting and Presentation Guidelines Successful Vide Cnferencing, Lighting and Presentatin Guidelines In this lessn yu will learn hw t make vide lk prfessinal fr yur vide cnferences. Yur Vide Canvas Types f Camera Shts Lining up the sht Clutter

More information

Connector for Microsoft Dynamics Installation Guide

Connector for Microsoft Dynamics Installation Guide Micrsft Dynamics Cnnectr fr Micrsft Dynamics Installatin Guide June 2014 Find updates t this dcumentatin at the fllwing lcatin: http://g.micrsft.cm/fwlink/?linkid=235139 Micrsft Dynamics is a line f integrated,

More information

Implementing Specialized Data Capture Applications with InVision Development Tools (Part 1)

Implementing Specialized Data Capture Applications with InVision Development Tools (Part 1) Implementing Specialized Data Capture Applicatins with InVisin Develpment Tls (Part 1) [This is the first f a series f white papers n implementing applicatins with special requirements fr data capture

More information

NAVIPLAN PREMIUM LEARNING GUIDE. Existing insurance coverage

NAVIPLAN PREMIUM LEARNING GUIDE. Existing insurance coverage NAVIPLAN PREMIUM LEARNING GUIDE Existing insurance cverage Cntents Existing insurance cverage 1 Learning bjectives 1 NaviPlan planning stages 1 Client case 2 Enter yur clients existing life, disability,

More information

Server 2008 R2 - Generic - Case

Server 2008 R2 - Generic - Case Server 2008 R2 - Generic - Case Day 1 Task 1 Install the fllwing machines: DC01 Server2008 R2 Standard Editin WEB01 Server 2008 R2 Standard Editin WEB02 Server 2003 File01 Server 2008 R2 Standard Editin

More information

1 Functional connectivity toolbox manual v1.0

1 Functional connectivity toolbox manual v1.0 1 Functinal cnnectivity tlbx manual v1.0 Overview The tlbx perfrms seeded vxel crrelatins by estimating maps shwing tempral crrelatins between the BOLD signal frm given seed and that at every brain vxel.

More information

SMART Notebook 15.2 collaborative learning software

SMART Notebook 15.2 collaborative learning software Help us make this dcument better smarttech.cm/dcfeedback/170907 SMART Ntebk 15.2 cllabrative learning sftware USER S GUIDE FOR WINDOWS OPERATING SYSTEMS Prduct registratin If yu register yur SMART prduct,

More information

Junos Pulse Instructions for Windows and Mac OS X

Junos Pulse Instructions for Windows and Mac OS X Juns Pulse Instructins fr Windws and Mac OS X When yu pen the Juns client fr the first time yu get the fllwing screen. This screen shws yu have n cnnectins. Create a new cnnectin by clicking n the + icn.

More information

FOCUS Service Management Software Version 8.5 for CounterPoint Installation Instructions

FOCUS Service Management Software Version 8.5 for CounterPoint Installation Instructions FOCUS Service Management Sftware Versin 8.5 fr CunterPint Installatin Instructins Thank yu fr purchasing Fcus Service Management Sftware frm RTM Cmputer Slutins. This bklet f installatin instructins will

More information

Improved Data Center Power Consumption and Streamlining Management in Windows Server 2008 R2 with SP1

Improved Data Center Power Consumption and Streamlining Management in Windows Server 2008 R2 with SP1 Imprved Data Center Pwer Cnsumptin and Streamlining Management in Windws Server 2008 R2 with SP1 Disclaimer The infrmatin cntained in this dcument represents the current view f Micrsft Crpratin n the issues

More information

Connecticut State Department of Education 2014-15 School Health Services Information Survey

Connecticut State Department of Education 2014-15 School Health Services Information Survey Cnnecticut State Department f Educatin 2014-15 Schl Health Services Infrmatin Survey General Directins fr Cmpletin by Schl Nurse Crdinatr/Supervisr This Schl Health Services Infrmatin Survey was designed

More information

CHAPTER 26: INFORMATION SEARCH

CHAPTER 26: INFORMATION SEARCH Chapter 26: Infrmatin Search CHAPTER 26: INFORMATION SEARCH AVImark allws yu t lcate r target a variety f infrmatin in yur data including clients, patients, Medical Histry, and accunting. The data can

More information

iphone Mobile Application Guide Version 2.2.2

iphone Mobile Application Guide Version 2.2.2 iphne Mbile Applicatin Guide Versin 2.2.2 March 26, 2014 Fr the latest update, please visit ur website: www.frte.net/mbile Frte Payment Systems, Inc. 500 West Bethany, Suite 200 Allen, Texas 75013 (800)

More information

X7500 Series, X4500 Scanner Series MFPs: LDAP Address Book and Authentication Configuration and Basic Troubleshooting Tips

X7500 Series, X4500 Scanner Series MFPs: LDAP Address Book and Authentication Configuration and Basic Troubleshooting Tips X7500 Series, X4500 Scanner Series MFPs: LDAP Address Bk and Authenticatin Cnfiguratin and Basic Trubleshting Tips Lexmark Internatinal 1 Prerequisite Infrm atin In rder t cnfigure a Lexmark MFP fr LDAP

More information