Pygame In a Few Minutes

Size: px
Start display at page:

Download "Pygame In a Few Minutes"

Transcription

1 Pygame In a Few Minutes By: Paul W. Yost Updated: 22 January 2016 Using Pygame: To use pygame, it must be imported and then initialized. import pygame pygame.init() # load the module # must be initialized before we do anything else with it. Surfaces: In pygame, graphical entities are called surfaces. We perform most operations on and with surfaces. We can make many surfaces and they can be of any size we'd like. Display Surface: One surface is special because it is the surface that is connected to the screen - this is called the display surface. pygame.display.set_mode((800,600),pygame.swsurface,24) # create the display surfaces There are other functions that relate to the display surface: pygame.display.list_modes() pygame.display.flip() pygame.display.update( rectangle ) pygame.display.update( rectangle_list ) pygame.display.set_caption( My Game ) # return a list of resolutions to use. # update the screen. # update an area of the screen # update multiple areas of the screen # set the window caption Creating Other Surfaces: Surfaces from an image file: mario = pygame.image.load( mario.jpg ) # create a surface for the image and load the image into it. Surfaces from a text string / font: To render text, first we must load a font by using a font object: or font = pygame.font.sysfont( Arial,20) font = pygame.font.font( myfont.ttf,size) # make a font object using a system installed font. # make a font object using a font file. Once we've created the font object, we can use it to create surfaces that are made from rendered text. text_surface = font.render( Game Over, anti_alias_0_1, fore_color, back_color )

2 Surfaces that are blank: It is often useful to create blank surfaces that can be used as our program runs. my_surface = pygame.surface((200,100)) # make a blank surface that is 200 x 100 pixels big Doing Stuff With Surfaces: Blitting: To copy image data from one surface onto another surface, we use the blit method on the surface we want to blit to. disp_surf.blit(mario, (10,10)) # blit from the mario surface to the disp_surface at offset 10,10. disp_surf.blit(game_over,(300,200)) #blit from game_over surface to disp_surface at offset 300,200. Drawing: Any of the drawing functions can be used to draw on any surface, including the display surface. Also, drawing can be performed on other surfaces that are off-screen. pygame.draw.line(disp_surf, color, (p1_x, p1_y), (p2_x, p2_y), width) # draw a line from p1 to p2. pygame.draw.circle(disp_surf, color, (center_x, center_y), radius, width) # draw circle The other drawing functions work similarly. Here is a list of some others: pygame.draw.ellipse pygame.draw.rect pygame.draw.arc pygame.draw.aaline pygame.draw.lines pygame.draw.polygon Pixel Operations: Pygame allows per-pixel manipulation on any surface. To get and set individual pixel values on a surface, you can do the following: surf.set_at((x, y), color) # set the pixel at (x,y) to the specified color. color = surf.get_at((x,y)) # get the color of the pixel at (x,y). Surface Transforms: Surfaces can be transformed in a number of ways: new_surf = pygame.transform.rotate(source_surface, angle) new_surf = pygame.transform.scale(source_surface, (width,height)) new_surf = pygame.transform.flip(source_surface, flip_x, flip_y ) new_surf = pygame.transform.rotozoom(source_surface, angle, zoom_factor)

3 Keyboard: Keyboard Input Overview: The keyboard gets events from the event queue for the application window. This means that to receive and update the set of all key states, something in the program needs to cause these events to be processed. This is done with the pygame.event.pump() function. pygame.event.pump() # process the events in the event queue. pygame.key.get_pressed() # returns a giant tuple that contains the state of each key on the keyboard. pygame.key.name( position ) # looks up the name associated with the key at the position in the tuple. You can also see if a key is pressed by checking it's location in the tuple like this: keyspressed = pygame.key.get_pressed() if keyspressed[pygame.k_escape]: #thing to do if key is pressed. Keyboard Helper Functions: I use helper functions to aid in checking the state of the keys. def keygetpressedlist(): pygame.event.pump() keyspressed = pygame.key.get_pressed() result = [] for i in range(0,len(keyspressed)): if keyspressed[i]: result.append(pygame.key.name(i)) return result def keyispressed( keysymbol ): if keysymbol in keygetpressedlist(): return True else: return False def keyisnotpressed( keysymbol ): if keysymbol not in keygetpressedlist(): return True else: return False Mouse: Overview: The mouse also gets events from the event queue for the application window. This means that to receive mouse positions from pygame the program needs to cause these events to be processed. Generally, if you are using keyboard input already ( such as calling one my keyboard helper functions ) in your game loop, the events are already being processed. If you have no keyboard input, you'll need to put a pygame.event.pump() call in your loop. (mouse_x,mouse_y) = pygame.mouse.get_pos() # returns a 2 element tuple containing the mouse position. (m_left,m_middle,m_right) = pygame.mouse.get_pressed() # returns the mouse button states. pygame.mouse.set_visible( True ) # show the mouse pointer.

4 pygame.mouse.set_visible( False ) # hide the mouse pointer. pygame.mouse.set_pos((x,y)) # set the mouse position to the location (x,y). Don't do this. Please. Mouse Helper Functions: It can also be useful to make some helper functions for the mouse. def mousegetx( ): return pygame.mouse.get_pos()[0] def mousegety( ): return pygame.mouse.get_pos()[1] def mousegetbuttonl( ): return pygame.mouse.get_pressed()[0] def mousegetbuttonm( ): return pygame.mouse.get_pressed()[1] def mousegetbuttonr( ): return pygame.mouse.get_pressed()[2] Timing: Pygame has several functions that can help manage time specific aspects of your game, including delays, fps calculation, and functionality that makes it easier to preserve a constant frame-rate. pygame.time.wait( milli_seconds ) # like time.sleep(), but built-in to pygame pygame.time.delay( milli_seconds ) # same as wait, but more accurate timing. Uses CPU while waiting. pygame.time.get_ticks( ) # return the number of milliseconds since pygame was initialized. myclock = pygame.time.clock( ) # create a clock object myclock.tick( milli_seconds ) # slows down loop to attempt to keep a constant frame-rate myclock.get_fps() # returns the calculated frame-rate based upon calls to tick. Sound and Music: Pygame has two types of distinct sound sources: sounds and music. Both types go through the pygame mixer object, which is responsible for playing back both sounds and music. Mixer Functions: pygame.mixer.set_num_channels(8) # set the number of sounds that can play simultaneously pygame.mixer.pause( ) # pause sound playback from all sources pygame.mixer.unpause( ) # resume paused playback pygame.mixer.fadeout( milli_seconds ) # fadeout playback over the specified time pygame.mixer.stop( ) # stop all playback instantly Sounds: Loading a Sound: Pygame supports.wav files and.ogg files: bubbles = pygame.mixer.sound( bubbles.wav ) # create a sound object and load the sound into it. bang = pygame.mixer.sound( bang.ogg ) # create a sound object and load the sound into it.

5 Using Sounds: Once a sound object has been created, it can be used in various ways: bubbles.play( ) # send the sound to the mixer to be played bubbles.set_volume( 0.5 ) # set the volume of the sound to 50% bubbles_vol = bubbles.get_volume( ) # get the current volume setting bubbles.fade_out( milli_seconds ) # fade out the sound over the specified number of milliseconds bubles_length = bubbles.get_length( ) # get the duration of the sound. bubbles.stop( ) # stop the playback of the sound. Music: Loading Music: Pygame supports many formats for music files including:.wav,.ogg,.mp3,.mid, and.mod files: pygame.mixer.music.load( filename ) # load the music file. Using Music: Once a music file has been loaded, it can be used in various ways: pygame.mixer.music.play( loops=0, startpos=0.0) # play back the loaded music. Loops=-1 means forever. pygame.mixer.music.stop( ) # immediately halt music playback. pygame.mixer.music.pause( ) # pause music playback. pygame.mixer.music.unpause( ) # resume music playback. pygame.mixer.music.set_volume( 0.5 ) # set music volume to 50%. music_volume = pygame.mixer.music.get_volume( ) # get music volume. pygame.mixer.music.fadeout( milli_seconds ) # fadeout music over the time specified pygame.mixer.music.rewind( ) # restart music from the beginning pygame.mixer.music.queue( filename ) # start the specified file one the playing one has completed Other Functions: Pygame has many other capabilities that haven't been explained in this document. For example, pygame includes functionality for MIDI device interfacing, joystick input, live camera input, movie playback, CD-Rom interfacing, changing the mouse pointer, etc. Visit: for more details and additional documentation.

PYTHON NOTES (drawing.py and drawstuff.py)

PYTHON NOTES (drawing.py and drawstuff.py) PYTHON NOTES (drawing.py and drawstuff.py) INTRODUCTION TO PROGRAMMING USING PYGAME STEP 1: Importing Modules and Initialization All the Pygame functions that are required to implement features like graphics

More information

Introduction to Game Programming Lesson 5 Lecture Notes, Part 1: The draw Module

Introduction to Game Programming Lesson 5 Lecture Notes, Part 1: The draw Module Introduction to Game Programming Lesson 5 Lecture Notes, Part 1: The draw Module Learning Objectives: Following this lecture, the student should be able to: Draw a line with pygame, using all parameters

More information

CHAPTER 1. Command Arguments Description Example. Prints something to the console. A value can be text in quotes or a variable name.

CHAPTER 1. Command Arguments Description Example. Prints something to the console. A value can be text in quotes or a variable name. GAME PROGRAMMING L LINE These are the tokens from the end of each chapter of Game Programming, the L Line I ve recombined these charts into one handy document you can and use as a reference. Thanks to

More information

Introduction to Game Programming Lesson 4 Lecture Notes

Introduction to Game Programming Lesson 4 Lecture Notes Introduction to Game Programming Lesson 4 Lecture Notes Learning Objectives: Following this lecture, the student should be able to: Define frame rate List the factors that affect the amount of time a game

More information

5! Programming with Sound

5! Programming with Sound 5! Programming with Sound 5.1! Playing Sound from File 5.2! Controlling Sound Objects 5.3! Sound Effects and Events Literature:! W. McGugan, Beginning Game Development with Python and Pygame,!! Apress

More information

There s already a ton of code written called libraries that we can use by importing. One that we use often is random

There s already a ton of code written called libraries that we can use by importing. One that we use often is random There s already a ton of code written called libraries that we can use by importing. One that we use often is random import random print random.randint(2, 22) Random frequently used methods Name Use random.randint(a,

More information

pygame Lecture #5 (Examples: fruitgame)

pygame Lecture #5 (Examples: fruitgame) pygame Lecture #5 (Examples: fruitgame) MOUSE INPUT IN PYGAME I. Detecting Mouse Input in pygame In addition to waiting for a keyboard event to precipitate some action, pygame allows us to wait for a mouse

More information

8! Programming with Sound

8! Programming with Sound 8 Programming with Sound 8.1 Playing Sound from File 8.2 Controlling Sound Objects 8.3 Sound Effects and Events Literature: W. McGugan, Beginning Game Development with Python and Pygame, Apress 2007 http://docs.oracle.com/javafx/2/media/overview.htm

More information

slide 1 gaius Python Classes you can use theclass keyword to create your own classes here is a tiny example of a class

slide 1 gaius Python Classes you can use theclass keyword to create your own classes here is a tiny example of a class Python Classes slide 1 you can use theclass keyword to create your own classes here is a tiny example of a class Python Classes slide 2 tinyclass.py #!/usr/bin/python import math class vector: def init

More information

Multimedia-Programmierung Übung 7

Multimedia-Programmierung Übung 7 Multimedia-Programmierung Übung 7 Ludwig-Maximilians-Universität München Sommersemester 2013 Ludwig-Maximilians-Universität München Multimedia-Programmierung 7-1 Today Sprite animations in Advanced collision

More information

PyGame Unit ?

PyGame Unit ? PyGame Unit 1 1.1 1.? 1.1 Introduction to PyGame Text Book for Python Module Making Games With Python and PyGame By Al Swiegert Easily found on the Internet: http://inventwithpython.com/pygame/chapters

More information

PyGame Overview. (A Tutorial with digressions) A Talk by Neil Muller. 23rd June 2007

PyGame Overview. (A Tutorial with digressions) A Talk by Neil Muller. 23rd June 2007 (A Tutorial with digressions) 23rd June 2007 About PyGame Wrapper around SDL Provides Graphics, sound, font, input handling, provided necessary SDL libraries are available Quite popular pygame.org lists

More information

Chapter 19: Multimedia

Chapter 19: Multimedia Ref. Page Slide 1/16 Learning Objectives In this chapter you will learn about: Multimedia Multimedia computer system Main components of multimedia and their associated technologies Common multimedia applications

More information

2 Multimedia Programming with Python and Pygame

2 Multimedia Programming with Python and Pygame 2 Multimedia Programming with Python and Pygame 2.1 Introduction to Python 2.2 SDL/Pygame: Multimedia/Game Framework for Python 2.3 SDL: Background of Pygame Literature: www.pygame.org kidscancode.org/blog/2015/09/pygame_install/

More information

PyGame Sprites. an excellent turorial exists for PyGame sprites here kai.vm.bytemark.co.uk/ piman/writing/spritetutorial.shtml.

PyGame Sprites. an excellent turorial exists for PyGame sprites here  kai.vm.bytemark.co.uk/ piman/writing/spritetutorial.shtml. PyGame Sprites slide 1 an excellent turorial exists for PyGame sprites here http:// kai.vm.bytemark.co.uk/ piman/writing/spritetutorial.shtml. these notes are derived from this tutorial and the examples

More information

a. Nothing. b. The game will run faster. c. The game will run slower. 5. What does this code do?

a. Nothing. b. The game will run faster. c. The game will run slower. 5. What does this code do? 142-253 Computer Programming: Pygame Exercises BSc in Digital Media, PSUIC Semester 1, 2016-2017 Aj. Andrew Davison CoE, PSU Hat Yai Campus E-mail: ad@fivedots.coe.psu.ac.th Basics 1. What is the game

More information

Event-driven Programming: GUIs

Event-driven Programming: GUIs Dr. Sarah Abraham University of Texas at Austin Computer Science Department Event-driven Programming: GUIs Elements of Graphics CS324e Spring 2018 Event-driven Programming Programming model where code

More information

Exit: These control how the object exits the slide. For example, with the Fade animation the object will simply fade away.

Exit: These control how the object exits the slide. For example, with the Fade animation the object will simply fade away. PowerPoint 2013 Animating Text and Objects Introduction In PowerPoint, you can animate text and objects such as clip art, shapes, and pictures. Animation or movement on the slide can be used to draw the

More information

Generating Vectors Overview

Generating Vectors Overview Generating Vectors Overview Vectors are mathematically defined shapes consisting of a series of points (nodes), which are connected by lines, arcs or curves (spans) to form the overall shape. Vectors can

More information

(A Book on Computer Education)

(A Book on Computer Education) (A Book on Computer Education) (Class-IV) Publication Division D.A.V. COLLEGE MANAGING COMMITTEE Arya Samaj Building, UP Block, Pitampura, Delhi-110034 S.NO. TOPIC PAGE NO. 1. Working of Computer System

More information

Video Games. Writing Games with Pygame

Video Games. Writing Games with Pygame Video Games Writing Games with Pygame Special thanks to Scott Shawcroft, Ryan Tucker, and Paul Beck for their work on these slides. Except where otherwise noted, this work is licensed under: http://creativecommons.org/licenses/by-nc-sa/3.0

More information

DinoCapture Additional Software Instructions for Measurement models

DinoCapture Additional Software Instructions for Measurement models DinoCapture Additional Software Instructions for Measurement models Window tools Microtouch: The microtouch is a touch sensitive area on the dome that connects to the USB Cable. It functions as a button

More information

""" idea.py simplest possible pygame display demonstrates IDEA / ALTER model Andy Harris, 5/06 """

 idea.py simplest possible pygame display demonstrates IDEA / ALTER model Andy Harris, 5/06 """ idea.py simplest possible pygame display demonstrates IDEA / ALTER model Andy Harris, 5/06 """ #I - Import and initialize import pygame pygame.init() #D - Display configuration screen = pygame.display.set_mode((640,

More information

Visual C# Program: Simple Game 3

Visual C# Program: Simple Game 3 C h a p t e r 6C Visual C# Program: Simple Game 3 In this chapter, you will learn how to use the following Visual C# Application functions to World Class standards: Opening Visual C# Editor Beginning a

More information

Microsoft Office 2007

Microsoft Office 2007 Microsoft Office 2007 Adding Slide Transitions Transition Sound Transitions Transition Speed Apply to All A slide transition is the way one slide changes to the next in Slide Show view. Animations Tab:

More information

Setup Examples. RTPView Project Program

Setup Examples. RTPView Project Program Setup Examples RTPView Project Program RTPView Project Program Example 2005, 2007, 2008, 2009 RTP Corporation Not for reproduction in any printed or electronic media without express written consent from

More information

Do a domain analysis by hand-drawing three or more pictures of what the world program will look like at different stages when it is running.

Do a domain analysis by hand-drawing three or more pictures of what the world program will look like at different stages when it is running. How to Design Worlds The How to Design Worlds process provides guidance for designing interactive world programs using big-bang. While some elements of the process are tailored to big-bang, the process

More information

Pyganim Documentation

Pyganim Documentation Pyganim Documentation Release 0.9.0 Al Sweigart Oct 30, 2017 Contents 1 Installation 3 1.1 Background Information......................................... 3 1.2 Installation................................................

More information

Multimedia-Programmierung Übung 5

Multimedia-Programmierung Übung 5 Multimedia-Programmierung Übung 5 Ludwig-Maximilians-Universität München Sommersemester 2009 Ludwig-Maximilians-Universität München Multimedia-Programmierung 5-1 Today Sprite animations in Advanced collision

More information

CS 140 Final Exam Review Problems

CS 140 Final Exam Review Problems This is a cumulative final exam, so please review all of the practice problems as well as your quizzes and exam. There is some material that you haven t been tested on yet (images, strings, and lists),

More information

Game Programming with DXFramework. Jonathan Voigt University of Michigan Fall 2005

Game Programming with DXFramework. Jonathan Voigt University of Michigan Fall 2005 Game Programming with DXFramework Jonathan Voigt University of Michigan Fall 2005 1 DirectX from 30,000 Feet DirectX is a general hardware interface API Goal: Unified interface for different hardware Much

More information

All Blocks of Scratch

All Blocks of Scratch All Blocks of Scratch Scratch has over 100 coding blocks, and each one has a unique use. They are all colour-coded into 9 different categories as seen below: You can also create your own block under More

More information

EXCODE. Code An App From Scratch

EXCODE. Code An App From Scratch 3 EXCODE Code An App From Scratch Course Overview Weeks 1-2 Learning Python Weeks 3-5 Creating your game Week 6 Presenting the games Get the course notes exeterentrepreneurs.com/excode-content exeterentrepreneurs.com/excode-content/

More information

Task Bar and Start Menu

Task Bar and Start Menu LEC. 8 College of Information Technology / Software Department.. Computer Skills I / First Class / First Semester 2017-2018 Task Bar and Start Menu The Windows 8.1 desktop Most of the elements that make

More information

Multimedia-Programmierung Übung 6

Multimedia-Programmierung Übung 6 Multimedia-Programmierung Übung 6 Ludwig-Maximilians-Universität München Sommersemester 2018 Ludwig-Maximilians-Universität München Multimedia-Programmierung 6-1 Today Sprites, Sprite Groups and Sprite

More information

Ink2Go Help. Toolbar functions

Ink2Go Help. Toolbar functions Toolbar functions S/N Icons Description 1 New Page Create a new page for annotations. Existing annotations will be saved as previous page. You can then use Previous Page/Next Page buttons to navigate between

More information

Reviewers: Approval Date: REF No:

Reviewers: Approval Date: REF No: Title: Parts of a computer Contributors: Mira Hirani Std: 1 Reviewers: Srinath Perur Submission Date: Approval Date: REF No: Brief Description: Goal: Prerequisites: Duration: Resources: This unit covers

More information

Computing Science. Advanced Higher Programming. Project 1 - Balloon Burst. Version 1. Software Design and Development. (using Python and Pygame)

Computing Science. Advanced Higher Programming. Project 1 - Balloon Burst. Version 1. Software Design and Development. (using Python and Pygame) Computing Science Software Design and Development Advanced Higher 2015 Programming (using Python and Pygame) Project 1 - Balloon Burst Version 1 G. Reid, D. Stott, Contents Page 1 Page 3 Page 4 Page 5

More information

imovie with Still Pictures

imovie with Still Pictures imovie with Still Pictures Where to save Because movies use a lot of hard drive space, they cannot be saved on the server. 1. You must login to your personal file before you start working. When launching

More information

The Department of Construction Management and Civil Engineering Technology CMCE-1110 Construction Drawings 1 Lecture Introduction to AutoCAD What is

The Department of Construction Management and Civil Engineering Technology CMCE-1110 Construction Drawings 1 Lecture Introduction to AutoCAD What is The Department of Construction Management and Civil Engineering Technology CMCE-1110 Construction Drawings 1 Lecture Introduction to AutoCAD What is AutoCAD? The term CAD (Computer Aided Design /Drafting)

More information

SI-100 Digital Microscope. User Manual

SI-100 Digital Microscope. User Manual SI-100 Digital Microscope User Manual Read this manual before use Keep for future reference Content 1 Introduction... 3 1.1 About The SI-100... 3 1.2 Advantage of SI-100... 3 1.3 Product Specification...

More information

BCSWomen Android programming (with AppInventor) Family fun day World record attempt

BCSWomen Android programming (with AppInventor) Family fun day World record attempt BCSWomen Android programming (with AppInventor) Family fun day World record attempt Overview of the day Intros Hello Android! Getting your app on your phone Getting into groups Ideas for apps Overview

More information

Renderize Live Overview

Renderize Live Overview Renderize Live Overview The Renderize Live interface is designed to offer a comfortable, intuitive environment in which an operator can create projects. A project is a savable work session that contains

More information

Flash Domain 2: Identifying Rich Media Design Elements

Flash Domain 2: Identifying Rich Media Design Elements Flash Domain 2: Identifying Rich Media Design Elements Adobe Creative Suite 5 ACA Certification Preparation: Featuring Dreamweaver, Flash, and Photoshop 1 Objectives Identify general and Flash-specific

More information

Multimedia-Programmierung Übung 5

Multimedia-Programmierung Übung 5 Multimedia-Programmierung Übung 5 Ludwig-Maximilians-Universität München Sommersemester 2018 Ludwig-Maximilians-Universität München Multimedia-Programmierung 5-1 Today Animations Illustrated with + Literature:

More information

GOM Cam User Guide. Please visit our website (cam.gomlab.com) regularly to check out our. latest update.

GOM Cam User Guide. Please visit our website (cam.gomlab.com) regularly to check out our. latest update. GOM Cam User Guide Please visit our website (cam.gomlab.com) regularly to check out our latest update. From screen recording to webcam video and gameplay recording GOM Cam allows you to record anything

More information

pygame Lecture #2 (Examples: movingellipse, bouncingball, planets, bouncingballgravity)

pygame Lecture #2 (Examples: movingellipse, bouncingball, planets, bouncingballgravity) pygame Lecture #2 (Examples: movingellipse, bouncingball, planets, bouncingballgravity) MOVEMENT IN PYGAME I. Realizing the screen is getting redrawn many times. Let's take a look at the key portion of

More information

Interactive Powerpoint. Jessica Stenzel Hunter Singleton

Interactive Powerpoint. Jessica Stenzel Hunter Singleton Interactive Powerpoint Jessica Stenzel Hunter Singleton Table of Contents iii Table of Contents Table of Contents... iii Introduction... 1 Basics of Powerpoint... 3 How to Insert Shapes... 3 How to Insert

More information

USER GUIDE. For litecam HD Version 4.8. November 5 th, 2013.

USER GUIDE. For litecam HD Version 4.8. November 5 th, 2013. 1 USER GUIDE For litecam HD Version 4.8 November 5 th, 2013. 2 Contents TABLE OF CONTENTS SYSTEM REQUIREMENTS 4 GUIDE TIP 5 LITECAM HD INSTALLATION GUIDE 9 litecam HD installation Procedure... 9 - Installation...

More information

USB 2.0 Video/Audio Grabber User s Guide

USB 2.0 Video/Audio Grabber User s Guide USB 2.0 Video/Audio Grabber User s Guide Contents: Chapter 1: Introduction... 1 1.1 Package Contents... 1 1.2 System Requirements... 1 Chapter 2: Getting Started... 2 2.1 Connect USB A/V Adapter... 2 2.2

More information

Working with Windows Movie Maker

Working with Windows Movie Maker Working with Windows Movie Maker These are the work spaces in Movie Maker. Where can I get content? You can use still images, OR video clips in Movie Maker. If these are not images you created yourself,

More information

Animations involving numbers

Animations involving numbers 136 Chapter 8 Animations involving numbers 8.1 Model and view The examples of Chapter 6 all compute the next picture in the animation from the previous picture. This turns out to be a rather restrictive

More information

Using imovie to create a Digital Video Marshall G. Jones Winthrop University Edited by Lynn Cecil

Using imovie to create a Digital Video Marshall G. Jones Winthrop University Edited by Lynn Cecil Using imovie to create a Digital Video Marshall G. Jones Winthrop University Edited by Lynn Cecil When you first start up: 1. Notice the number of your ibook. This is the machine you will need to work

More information

Windows U S E R M A N U A L

Windows U S E R M A N U A L Windows USER MANUAL TABLE OF CONTENTS GETTING STARTED WITH ESSENTIAL ACCESSIBILITY...1 What is essential Accessibility?... 1 essential Accessibility : A quick overview... 1 About this manual... 1 INTRODUCTION:

More information

Shape Cluster Photo Written by Steve Patterson

Shape Cluster Photo Written by Steve Patterson Shape Cluster Photo Written by Steve Patterson Before After Step 1: Create A New Document Let's begin by creating a new Photoshop document. Go up to the File menu in the Menu Bar along the top of the screen

More information

And program Office to FlipBook Pro is powerful enough to convert your DOCs to such kind of ebooks with ease.

And program Office to FlipBook Pro is powerful enough to convert your DOCs to such kind of ebooks with ease. Note: This product is distributed on a try-before-you-buy basis. All features described in this documentation are enabled. The unregistered version will be added a demo watermark. About Office to FlipBook

More information

Windows Movie Maker. Panes (Movie and. Menu Bar. Tool Bar. Monitor. Rewind. Play. Storyboard/Timeline. Playhead. Audio. Microphone Playback

Windows Movie Maker. Panes (Movie and. Menu Bar. Tool Bar. Monitor. Rewind. Play. Storyboard/Timeline. Playhead. Audio. Microphone Playback Menu Bar Panes (Movie and Tool Bar Monitor Rewind Play Storyboard/Timeline Playhead Audio Microphone Playback Zoom In/Out 2004 Teaching Matters, Inc.-Page 1 Importing Video (Transfer the footage from the

More information

Quick Start Guide. MotionDV STUDIO 5.6. Cover

Quick Start Guide. MotionDV STUDIO 5.6. Cover Cover Features Operating environment Editing procedures Let s start MotionDV STUDIO Let s capture the video from a tape Let s edit the video Let s arrange the video in the edit track Let s cut unnecessary

More information

HARDWARE. There are a number of factors that effect the speed of the processor. Explain how these factors affect the speed of the computer s CPU.

HARDWARE. There are a number of factors that effect the speed of the processor. Explain how these factors affect the speed of the computer s CPU. HARDWARE hardware ˈhɑːdwɛː noun [ mass noun ] the machines, wiring, and other physical components of a computer or other electronic system. select a software package that suits your requirements and buy

More information

FLIP BOOK MAKER FOR EPUB. Flip Book Maker for epub Create Amazing Page-flipping ebooks with EPUB. User Documentation

FLIP BOOK MAKER FOR EPUB. Flip Book Maker for epub Create Amazing Page-flipping ebooks with EPUB. User Documentation WWW.FLIPBOOKMAKER.COM FLIP BOOK MAKER FOR EPUB Page 1 of 33 Create your flipping book from EPUB files Note: This product is distributed on a try-before-you-buy basis. All features described in this documentation

More information

W: The LiveWires module

W: The LiveWires module : Gareth McCaughan and Paul Wright Revision 1.16, October 27, 2001 Credits c Gareth McCaughan and Paul Wright. All rights reserved. This document is part of the LiveWires Python Course. You may modify

More information

NMS Spectrum Analyzer Application

NMS Spectrum Analyzer Application NMS Spectrum Analyzer Application Spectrum View Window... 3 Context Sensitive Menus for Spectrum View Window... 3 Add Horizontal Line... 4 Add Vertical Line... 4 Show Lines... 4 Hide Lines... 4 Delete

More information

DWIN_HMI USER GUIDE Beijing DWIN Technology Co., Ltd.

DWIN_HMI USER GUIDE Beijing DWIN Technology Co., Ltd. Beijing DWIN Technology Co., Ltd. Updated English Version 2.1 at 2011.07.15 Copyright@ Beijing DWIN Technology Co.,Ltd.2003-2011. All Rights Reserved. ICP No.0533781 Step1. Open the product package Accessories:

More information

Chaos Culture. MIDI Modulators / Multiclip Note preview 1.6. Edited by Jason Cowling

Chaos Culture. MIDI Modulators / Multiclip Note preview 1.6. Edited by Jason Cowling Chaos Culture Introduction... 2 Important stuff... 2 Setup... 3 Editing clips... 4 Using the editor... 5 Modulators... 8 Settings... 9 Work$ow settings... 10 Performance... 13 Future updates... 13 1.8.99

More information

Not For Sale. Glossary

Not For Sale. Glossary Glossary Actor A sprite and the role it plays as it interacts with another sprite on the stage. Animated GIF A graphic made up of two or more frames, each of which is displayed as an automated sequence

More information

The Stack, Free Store, and Global Namespace

The Stack, Free Store, and Global Namespace Pointers This tutorial is my attempt at clarifying pointers for anyone still confused about them. Pointers are notoriously hard to grasp, so I thought I'd take a shot at explaining them. The more information

More information

Main Parts of Personal Computer

Main Parts of Personal Computer Main Parts of Personal Computer System Unit The System Unit: This is simply the box like case called the tower, which houses the motherboard, which houses the CPU. It also houses all the drives, such as

More information

Quick Reference Tables

Quick Reference Tables Quick Reference Tables Chapter 1 Raspberry Pi Startup Command Quick Reference Table Command startx sudo sudo shutdown -h now sudo shutdown -r now Launches the Raspbian desktop environment (GUI). Gives

More information

What is Data Flow Diagram (DFD)? How to Draw DFD? Written Date : January 27, 2012

What is Data Flow Diagram (DFD)? How to Draw DFD? Written Date : January 27, 2012 Written Date : January 27, 2012 What is a data flow diagram (DFD)? A picture is worth a thousand words. A Data Flow Diagram (DFD) is traditional visual representation of the information flows within a

More information

CISC 1600, Lab 3.1: Processing

CISC 1600, Lab 3.1: Processing CISC 1600, Lab 3.1: Processing Prof Michael Mandel 1 Getting set up For this lab, we will be using OpenProcessing, a site for building processing sketches online using processing.js. 1.1. Go to https://www.openprocessing.org/class/57767/

More information

imovie Guide Create a new imovie Project The imovie Interface

imovie Guide Create a new imovie Project The imovie Interface imovie Guide Create a new imovie Project. Open imovie.. From the FILE menu choose NEW PROJECT. Enter an appropriate title, choose WIDESCREEN (6:9) for Aspect Ratio, and leave NONE selected for the theme.

More information

1 ZoomBrowser EX Software User Guide 5.0

1 ZoomBrowser EX Software User Guide 5.0 1 ZoomBrowser EX Software User Guide 5.0 Table of Contents (1/2) Chapter 1 Chapter 2 Chapter 3 What is ZoomBrowser EX? What Can ZoomBrowser EX Do?... 4 Guide to the ZoomBrowser EX Windows... 5 Task Buttons

More information

Using Windows MovieMaker pt.1

Using Windows MovieMaker pt.1 Using Windows MovieMaker pt.1 Before you begin: Create and name (use your first name, or the title of your movie) a folder on the desktop of your PC. Inside of this folder, create another folder called

More information

Using Director MX 2004 behaviors

Using Director MX 2004 behaviors Using Director MX 2004 behaviors This article provides a basic introduction to Director MX 2004 behaviors. The article includes the following sections: About behaviors.............................................................

More information

Chaos Culture. Multiclip Editor / Multiclip Note preview 1.5. Edited by Jason Cowling

Chaos Culture. Multiclip Editor / Multiclip Note preview 1.5. Edited by Jason Cowling Chaos Culture Introduction... 2 Important stuff... 2 Setup... 3 Editing clips... 4 Using the editor... 5 Settings... 9 Workflow settings... 10 Performance... 13 Future updates... 13 Editor 1.6.61 / Note

More information

ECE 480: Design Team #9 Application Note Designing Box with AutoCAD

ECE 480: Design Team #9 Application Note Designing Box with AutoCAD ECE 480: Design Team #9 Application Note Designing Box with AutoCAD By: Radhika Somayya Due Date: Friday, March 28, 2014 1 S o m a y y a Table of Contents Executive Summary... 3 Keywords... 3 Introduction...

More information

Gecata by Movavi 5. Recording desktop. Recording with webcam Capture videos of the games you play. Record video of your full desktop.

Gecata by Movavi 5. Recording desktop. Recording with webcam Capture videos of the games you play. Record video of your full desktop. Gecata by Movavi 5 Don't know where to start? Read these tutorials: Recording gameplay Recording desktop Recording with webcam Capture videos of the games you play. Record video of your full desktop. Add

More information

Using Apple s imovie. 1. copyright President & Fellows of Harvard College

Using Apple s imovie.  1. copyright President & Fellows of Harvard College Using Apple s imovie 1 - To start a new project, go to the file menu and select new project. 2 - Make sure that the blue circle is set to camera as shown. 3 - Your clip area right now is empty, but that

More information

CISC 1600, Lab 2.1: Processing

CISC 1600, Lab 2.1: Processing CISC 1600, Lab 2.1: Processing Prof Michael Mandel 1 Getting set up For this lab, we will be using Sketchpad, a site for building processing sketches online using processing.js. 1.1. Go to http://cisc1600.sketchpad.cc

More information

Contents. Preparation for Software Installation Recommended Configuration Installing Motic Images Plus 2.0 Mac OS X...

Contents. Preparation for Software Installation Recommended Configuration Installing Motic Images Plus 2.0 Mac OS X... Contents Preparation for Software Installation... 1 Recommended Configuration... 1 Installing... 1 Precise Calibration... 2 The Menus... 3 File Menu...3 Edit Menu...6 View Menu...6 Image Menu...7 Paint

More information

A basic introduction to imovie 2 From importing video to editing to exporting video. Created by: Leslie Arakaki Clinton Iwami.

A basic introduction to imovie 2 From importing video to editing to exporting video. Created by: Leslie Arakaki Clinton Iwami. A basic introduction to imovie 2 From importing video to editing to exporting video Created by: Leslie Arakaki Clinton Iwami LEI Aloha Grant Page 1 Table of Contents The beginning... 3 Eyeball view:...

More information

AVmixer Lite User Guide OSX v2.4.1

AVmixer Lite User Guide OSX v2.4.1 AVmixer Lite User Guide OSX v2.4.1 User Guide Index 1. Main Interface Overview 2. Movie Playback Controls 3. Mixer and Composite Modes 4. Output Window 5. Software Keystone 6. Presets 7. Recorder 8. MIDI

More information

15110 PRINCIPLES OF COMPUTING SAMPLE EXAM 2

15110 PRINCIPLES OF COMPUTING SAMPLE EXAM 2 15110 PRINCIPLES OF COMPUTING SAMPLE EXAM 2 Name Section Directions: Answer each question neatly in the space provided. Please read each question carefully. You have 50 minutes for this exam. No electronic

More information

http://creativecommons.org/licenses/by/4.0/ A worksheet by Andrew Hague Flappy Wormy is based on work in Al Sweigart s Invent with Python: a free e-book. Al has written a really great series on creating

More information

Text box. Command button. 1. Click the tool for the control you choose to draw in this case, the text box.

Text box. Command button. 1. Click the tool for the control you choose to draw in this case, the text box. Visual Basic Concepts Hello, Visual Basic See Also There are three main steps to creating an application in Visual Basic: 1. Create the interface. 2. Set properties. 3. Write code. To see how this is done,

More information

INTRODUCTION TO COMPUTER CONCEPTS CSIT 100 LAB: MICROSOFT POWERPOINT (Part 2)

INTRODUCTION TO COMPUTER CONCEPTS CSIT 100 LAB: MICROSOFT POWERPOINT (Part 2) INTRODUCTION TO COMPUTER CONCEPTS CSIT 100 LAB: MICROSOFT POWERPOINT (Part 2) Adding a Text Box 1. Select Insert on the menu bar and click on Text Box. Notice that the cursor changes shape. 2. Draw the

More information

Blackboard Collaborate Ultra 2018 UT DALLAS USER MANUAL

Blackboard Collaborate Ultra 2018 UT DALLAS USER MANUAL Blackboard Collaborate Ultra 208 UT DALLAS USER MANUAL UT Dallas elearning ELEARNING@UTDALLAS.EDU SPRING 208 Table of Contents Introduction... 3 Browser Support... 3 Blackboard Collaborate Ultra inside

More information

ST NICHOLAS COLLEGE RABAT MIDDLE SCHOOL HALF YEARLY EXAMINATIONS February 2016

ST NICHOLAS COLLEGE RABAT MIDDLE SCHOOL HALF YEARLY EXAMINATIONS February 2016 ST NICHOLAS COLLEGE RABAT MIDDLE SCHOOL HALF YEARLY EXAMINATIONS February 2016 Mark Level 5-8 Year 7 Information and Communication Technology TIME: 1h 30min Question 1 2 3 4 5 6 7 Global Mark Max. Mark

More information

Tutorials. Lesson 3 Work with Text

Tutorials. Lesson 3 Work with Text In this lesson you will learn how to: Add a border and shadow to the title. Add a block of freeform text. Customize freeform text. Tutorials Display dates with symbols. Annotate a symbol using symbol text.

More information

Data Processing Software for Zeeman Effect Apparatus 1 INTRODUCTION

Data Processing Software for Zeeman Effect Apparatus 1 INTRODUCTION Data Processing Software for Zeeman Effect Apparatus 1 INTRODUCTION 1. Overview This program is an intelligent software developed for Zeeman Effect Apparatus. Used with advanced hardware, it will process

More information

litecam HD GUIDE For litecam HD Version 5.0 Contents

litecam HD GUIDE For litecam HD Version 5.0 Contents 1 litecam HD GUIDE For litecam HD Version 5.0 Contents 2 TABLE OF CONTENTS SYSTEM REQUIREMENTS 4 LITECAM HD INSTALLATION GUIDE 5 litecam HD installation Procedure... 5 - Installation... 5 - Activation...

More information

Working with Adobe Premiere Pro CS4

Working with Adobe Premiere Pro CS4 Working with Adobe Premiere Pro CS4 Setup When you open Premiere Pro CS4, you see a window that allows you to either start a new project, open an existing project or search Premiere's help menu. For the

More information

PowerPoint Intermediate 2010

PowerPoint Intermediate 2010 PowerPoint Intermediate 2010 I. Creating a Slide Master A. Using the design feature of PowerPoint essentially sets up similar formatting for all of your slides within a presentation. However, there are

More information

1. Multimedia authoring is the process of creating a multimedia production:

1. Multimedia authoring is the process of creating a multimedia production: Chapter 8 1. Multimedia authoring is the process of creating a multimedia production: Creating/assembling/sequencing media elements Adding interactivity Testing (Alpha/Beta) Packaging Distributing to end

More information

I. Introduction... 3 What is AVIDAnet SONUS...3 Interface...4 Colours... 4 Size... 4 Controls... 5 Volume... 5 View... 5 Always on top...

I. Introduction... 3 What is AVIDAnet SONUS...3 Interface...4 Colours... 4 Size... 4 Controls... 5 Volume... 5 View... 5 Always on top... User Manual v 2.0 Table of Contents I. Introduction... 3 What is AVIDAnet SONUS...3 Interface...4 Colours... 4 Size... 4 Controls... 5 Volume... 5 View... 5 Always on top... 5 II. Recording... 6 Starting

More information

Isabel Author. 2014/08/05 Date Posted. Rating

Isabel Author. 2014/08/05 Date Posted. Rating SIGNED IN SEARCH CART NAV GETTING STARTED WITH THE TOUCH BOARD An A to Z on setting up your Touch Board, changing the sounds, and creating an interactive surface with Electric Paint. Isabel Author 2014/08/05

More information

GCC vinyl cutter, cutting plotter for sign making

GCC vinyl cutter, cutting plotter for sign making Plotter Setup In "Plotter Setup," you can choose "Plotter List," "Environment," "Pen," and so on. [Plotter list] In this area, you can choose the machine type and set some basic information for your plotter

More information

Opening the Program. Adding Images and Videos. Movie Maker II 1

Opening the Program. Adding Images and Videos. Movie Maker II 1 1 Opening the Program To open the Movie Maker II application, use the Start All Programs Windows Live Movie Maker combination from the desktop. Alternatively, you can create a shortcut on the desktop.

More information

Multimedia-Programmierung Übung 7

Multimedia-Programmierung Übung 7 Multimedia-Programmierung Übung 7 Ludwig-Maximilians-Universität München Sommersemester 2017 Today Particles Sound Illustrated with + Physics Users have specific expectations For example, if something

More information

WYBCS Android Programming (with AppInventor) Family fun day

WYBCS Android Programming (with AppInventor) Family fun day WYBCS Android Programming (with AppInventor) Family fun day Overview of the day Intros Hello Android! Installing AppInventor Overview of AppInventor Making your first app What's special about mobile? Changing

More information