Chapter 13. Graphics, Animation, Sound and Drag-and-Drop The McGraw-Hill Companies, Inc. All rights reserved. McGraw-Hill

Size: px
Start display at page:

Download "Chapter 13. Graphics, Animation, Sound and Drag-and-Drop The McGraw-Hill Companies, Inc. All rights reserved. McGraw-Hill"

Transcription

1 Chapter 13 Graphics, Animation, Sound and Drag-and-Drop McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved.

2 Chapter Objectives - 1 Use Graphics methods to draw shapes, lines, and filled shapes Draw on a drawing surface of a Graphics object using Pen and Brush objects Create animation by changing pictures at run time Create simple animation by moving images Automate animation using a Timer component McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved. 13-2

3 Chapter Objectives - 2 Move an image using scroll bars Play sounds in an application using a SoundPlayer object Play videos on a form Incorporate drag-and-drop events into your program Draw a pie chart using the methods of the Graphics object McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved. 13-3

4 Graphics in Windows and the Web Graphics refers to any text, drawing, image, or icon that is displayed on the screen in either: Windows Forms PictureBox control Accepts more file formats than Web forms Graphics shapes are circles, lines, and rectangles on a form or control Web Forms Image control McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved. 13-4

5 The Graphics Environment.NET framework uses GDI+ technology for drawing graphics GDI+ is designed to be device-independent Code to draw a graphic is the same regardless of the output device McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved. 13-5

6 Steps for Drawing Graphics Create a Graphics object to use as a drawing surface Instantiate a Pen or Brush object to draw with Call the drawing methods of the Graphics object This procedure is the same as the DrawString method used to place text on the Graphics object (see Chapter 7) McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved. 13-6

7 The Paint Event Handler - 1 Place the code for the drawing methods in the Paint event handler for the form or control The Paint event fires each time the form is displayed, resized, moved, maximized, restored, or uncovered If graphics are drawn in some other method, they will be erased when the Paint event occurs Use the e.graphics object or declare a Graphics object Assign the Graphics property of the handler s PaintEventArgs argument to the new Graphics object McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved. 13-7

8 The Paint Event Handler - 2 Write code for the form s Paint event Select the form in the Designer Select the Events button in the Properties window Select the Paint event private void GraphicsForm_Paint(object sender, PaintEventArgs e) { // Create a graphics object. } Graphics gr = e.graphics; McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved. 13-8

9 The Paint Event Handler - 3 Also create a graphic object by calling the CreateGraphics method of a form or control Displays a graphic from a method other than the Paint event Graphics gr = this.creategraphics(); //Draw on the form. Graphics gr = drawgroupbox.creategraphics(); //Draw on a group box control. McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved. 13-9

10 Pen and Brush Objects - 1 Each drawing method requires either a pen or brush Pen Use to draw lines or outlined shapes, such as rectangles or circles Properties: Width, Color Brush Use to create filled shapes Property: Color McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

11 Pen and Brush Objects - 2 Width property Specifies the width of the stroke of a line or outlined shape created by a Pen object Specified in pixels Color property Specifies the color of lines drawn by a Pen object and the color of filled shapes drawn by a Brush object Assign the color using the Color constants McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

12 The Pen Class Default width is one pixel May use several different pens for different colors and/or widths Or redefine an existing Pen variable if original no longer needed Pen Constructors Pen Examples Pen redpen = new Pen(Color.Red); Pen widepen = new Pen(Color.Black, 10); Pen(Color) Pen(Color, Width) McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

13 The SolidBrush Class Use to create filled figures May create one Brush for each color Brush Constructor Brush Example SolidBrush(Color) SolidBrush bluebrush = new SolidBrush(Color.Blue); Other brush types: TextureBrush, HatchBrush, LinearGradientBrush, PathGradientBrush McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

14 The Coordinate System Graphics are measured from a starting point of 0,0 for the X and Y coordinates beginning in the upper-left corner of a form or container Most drawing methods allow the position to be specified using X and Y coordinates Point structure Rectangle structure Size structure X coordinate = horizontal position Y coordinate = vertical position McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

15 The Point Structure Holds the X and Y coordinates as a single unit Create a Point object giving it values for the X and Y Use the object anywhere that accepts a Point as an argument Point mystartingpoint = new Point(20, 10); McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

16 The Size Structure A Size structure has two components, both specified in pixels Width (specified first) Height Use the object anywhere that accepts a Size structure as an argument Size mypicturesize = new Size(100, 20); //Width is 100, height is 20. McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

17 The Rectangle Structure Defines a rectangular region, specified by its upper-left corner and its size Rectangle myrectangle = new Rectangle(myStartingPoint, mypicturesize); Overloaded constructor allows a Rectangle to be declared by specifying its X and Y coordinates, width and height Rectangle myotherrectangle = new Rectangle(xInteger, yinteger, widthinteger, heightinteger); Specify PointF, SizeF, and RectangleF structures for float values McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

18 Graphics Methods Two basic categories Draw Fill Create an outline shape with a Pen object Create solid shapes with Brush objects Each method requires X and Y coordinates or a Point object Some require the size Supply as width and height or as a Rectangle object McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

19 Graphics Methods - General Form Object.DrawLine(Pen, x1integer, y1integer, x2integer, y2integer); Object.DrawLine(Pen, Point1, Point2); Object.DrawRectangle(Pen, xinteger, yinteger, widthinteger, heightinteger); Object.DrawRectangle(Pen, Rectangle); Object.FillRectangle(Brush, xinteger, yinteger, widthinteger, heightinteger); Object.FillRectangle(Brush, Rectangle); Object.FillEllipse(Brush, xinteger, yinteger, widthinteger, heightinteger); Object.FillEllipse(Brush, Rectangle); McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

20 Graphics Methods - Code Example private void GraphicsForm_Paint(object sender, PaintEventArgs e) { // Draw a red rectangle. e.graphics.drawrectangle(pens.red, 10, 10, 30, 30); // or Rectangle smallrectangle = new Rectangle(10, 10, 30, 30); e.graphics.drawrectangle(pens.red, smallrectangle); // Draw a green line. e.graphics.drawline(pens.green, 50, 0, 50, 300); // Draw a blue filled circle. e.graphics.fillellipse(brushes.blue, 100, 100, 50, 50); } // Draw a fat blue line. Pen widepen = new Pen(Brushes.Blue, 15); e.graphics.drawline(widepen, 300, 0, 300, 300); McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

21 Selected Methods from the Graphics Class Clear Dispose DrawArc DrawLine DrawEllipse DrawRectangle DrawPie DrawString FillEllipse FillPie FillRectangle McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

22 Random Numbers - 1 Use the Random class to create random numbers for games, probability, and queuing theory Random generaterandom = new Random(); To generate a different series of numbers for each run, seed the random number generator by using the system clock System clock may not work properly on high-performance systems Seed the Random object yourself by passing an integer value Use the clock to make sure a different value is passed each time the object instantiates //Seed the random number generator. DateTime currentdatetime = DateTime.Now Random generaterandom = new Random(currentDateTime.Millisecond); McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

23 Random Numbers - 2 Seed the Random object once when it is instantiated Generate random numbers using the Random object s Next method Returns a positive integer number Use one of three overloaded arguments to choose the range for the random numbers // Any positive integer number. Object.Next(); // A positive integer up to the value specified. Object.Next(MaximumValueInteger); // A positive integer in the range specified. Object.Next(minimumValueInteger, maximumvalueinteger); McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

24 Random Numbers - 3 The Random.Next Method Examples // Return an integer in the range int generaterandominteger = generaterandom.next(10); // Return an integer in the range 1 to the width of the form. int randomnumberinteger = generaterandom.next(1, this.width); A Random Number Example (Snow) // Make it snow in random locations. for (int indexinteger = 1; indexinteger < 40000; indexinteger++) { xinteger = generaterandom.next(1, this.width); yinteger = generaterandom.next(1, this.height); e.graphics.drawline(whitepen, xinteger, yinteger, xinteger + 1, yinteger + 1); } McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

25 Simple Animation Possible approaches Display an animated.gif file in a PictureBox Replace one graphic with another Move a picture Rotate through a series of pictures Create graphics with various graphics methods On a Web page Display an animated.gif file Use a scripting language or embed a Java applet, which creates animation on the client side McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

26 Displaying an Animated Graphic On either a Windows Form or a Web Form display an animated.gif file Use a PictureBox control on a Windows Form and an Image control on a Web Form McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

27 Controlling Pictures at Run Time Pictures can be added or changed at run time To speed execution, load pictures in controls that can be made invisible Set Visible property to true when ready to display Use the FromFile method to load a picture at run time Display images from the project Resources folder ProjectName.Properties.Resources.ResourceName To remove a picture from the display, either hide or use the null constant McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

28 Switching Images Easy way to show animation is to replace one picture with another Use images (or icons) of similar sizes and with opposite states (open/closed, up/down, etc.) McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

29 Moving a Picture Use the control's SetBounds method Smoother appearing move than changing Left and Top properties of controls Can use SetBounds to move a control and change its size General Form Object.SetBounds(xInteger, yinteger, widthinteger, heightinteger); Examples planepicturebox.setbounds(xinteger, yinteger, planewidth, planeheight); enginepicturebox.setbounds(xinteger, yinteger, widthinteger, heightinteger); McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

30 The Timer Component - 1 Cause events to occur at a set interval with its Tick event Code in a Tick event handler executes each time the event occurs Useful for animation; move or change an image each time the Tick event occurs Interval property Between 0 and 65,535 milliseconds 1,000 milliseconds = 1 second Set value at run time or design time McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

31 The Timer Component - 2 Enabled property false (default) prevents Tick event from occurring true enables the Timer When a timer is added to a form, it goes into the component tray McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

32 The Scroll Bar Controls Horizontal scroll bars Vertical scroll bars Use to scroll through a document or a window Used to control sound level, color, size, or other values that can be changed in small or large increments HScrollBar and VScrollBar controls operate independently and have methods, events and properties McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

33 Scroll Bar Properties - 1 Minimum for the minimum property Maximum for the maximum property SmallChange Distance to move when the user clicks the scroll arrows LargeChange Distance to move when the user clicks the gray area of the scroll bar or presses the Page-Up or Page-Down key McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

34 Scroll Bar Properties - 2 Value Indicates the current position of the scroll box and its corresponding value within the scroll bar User clicks the up scroll arrow Value property decreases by the amount of SmallChange unless Minimum has been reached User clicks the down scroll arrow Value property increases by the amount of the SmallChange unless Maximum has been reached McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

35 Scroll Bar Events ValueChanged event Occurs any time the Value property changes, by the user or in code Scroll event Occurs when the user drags the scroll box As long as the user continues to drag the scroll box this event continues to occur When the user releases the mouse button, Scroll events cease and a ValueChanged event occurs Code both a ValueChanged and a Scroll event handler McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

36 Playing Sounds Play sound files (.wav) using the SoundPlayer component Set the location of the file using the SoundPlayer s constructor or its SoundLocation property SoundPlayer component is in the System.Media library Add a using System.Media statement to the program McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

37 Adding Sound Files To use sounds in a project, best to add the files to the project's resources To refer to the filename in code use Namespace.Properties.Resources.Filename Add a sound file to the resources McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

38 A Sound-Playing Program Instantiate a SoundPlayer object Supply the filename in the constructor Execute the SoundPlayer's Play method private void chimesbutton_click(object sender, EventArgs e) { // Play the Chimes.wav file. } SoundPlayer myplayer = new SoundPlayer(Ch13Sounds.Properties.Resources.Chimes); myplayer.play(); McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

39 Playing Videos Use the Windows Media Player control Plays.avi,.wmv, and.wav files McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

40 Using the Windows Media Player Control - 1 Add the Windows Media Player control to the toolbox Right-click on the toolbox Select Choose Items Control is located on the Com components tab Check the box next to the control and press OK The control s URL property determines file that plays Set path at design time (hard-coded) or at run time Place files in bin\debug folder for portability McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

41 Play just sound Using the Windows Media Player Control - 2 Set the visibility to false Allow user to access the Play, Pause and Stop buttons Set Ctlenabled to true settings.autostart property Determines whether loaded file begins playing automatically (default is true) McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

42 Drag-and-Drop Programming - 1 Windows users like to use drag-and-drop to make a selection Drag-and-drop begins with a MouseDown event The effect of the drop is determined with a DragEnter event The DragDrop event holds the code for the drop McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

43 Drag-and-Drop Programming - 2 The Source object is dragged to the Target object in a drag-and-drop operation McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

44 The Source Object Begin a drag-and-drop operation by setting the source object using a control s DoDragDrop method General Form Object.DoDragDrop(DataToDrag, DesiredDragDropEffect); DragDrop effect specifies requested action DragDropEffects.Copy, DragDropEffects.Move, DragDropEffects.None Example nametextbox.dodragdrop(nametextbox.selectedtext, DragDropEffects.Move); McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

45 The Target Object Location where a user releases the mouse a drop A form may have multiple targets To allow a form or a control to be a target, set its AllowDrop property to true A target control needs A DragEnter event handler that sets the effect A DragDrop event handler that executes the action to take for the drop McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

46 The DragEnter Event When a source object is dragged over a target, the target s DragEnter event fires Assign desired effects to the e argument of the DragEventArgs private void teamblistbox_dragenter(object sender, DragEventArgs e) { // Set the desired DragDrop effect. e.effect = DragDropEffects.Move ; } McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

47 The DragDrop Event The DragDrop event handler must have code to handle the drop Information being dragged is contained in the Data property of the e argument of the DragDrop event handler Retrieve the dragged data using the GetData method of the Data object Predefined format for text is DataFormats.Text private void teamblistbox_dragdrop(object sender, DragEventArgs e) { // Add the name to the list box. teamblistbox.items.add(e.data.getdata(dataformats.text).tostring()); } McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

48 Dragging and Dropping an Image Drag and drop images AllowDrop property of a PictureBox is not available at design time Set it in the Form_Load event handler targetpicturebox.allowdrop = true; Make the drop appear like a move Set the original picture box to null Make the drop a copy Leave the original alone McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved

Chapter 13. Graphics, Animation, Sound, and Drag-and-Drop. McGraw-Hill. Copyright 2011 by The McGraw-Hill Companies, Inc. All Rights Reserved.

Chapter 13. Graphics, Animation, Sound, and Drag-and-Drop. McGraw-Hill. Copyright 2011 by The McGraw-Hill Companies, Inc. All Rights Reserved. Chapter 13 Graphics, Animation, Sound, and Drag-and-Drop McGraw-Hill Copyright 2011 by The McGraw-Hill Companies, Inc. All Rights Reserved. Objectives (1 of 2) Use Graphics methods to draw shapes, lines,

More information

Painting your window

Painting your window The Paint event "Painting your window" means to make its appearance correct: it should reflect the current data associated with that window, and any text or images or controls it contains should appear

More information

Smoother Graphics Taking Control of Painting the Screen

Smoother Graphics Taking Control of Painting the Screen It is very likely that by now you ve tried something that made your game run rather slow. Perhaps you tried to use an image with a transparent background, or had a gazillion objects moving on the window

More information

(0,0) (600, 400) CS109. PictureBox and Timer Controls

(0,0) (600, 400) CS109. PictureBox and Timer Controls CS109 PictureBox and Timer Controls Let s take a little diversion and discuss how to draw some simple graphics. Graphics are not covered in the book, so you ll have to use these notes (or the built-in

More information

Visual Applications Graphics Lecture Nine. Graphics

Visual Applications Graphics Lecture Nine. Graphics Graphics You can use graphics to enhance the user interface of your applications, generate graphical charts and reports, and edit or create images. The.NET Framework includes tools that allow you to draw

More information

Capturing the Mouse. Dragging Example

Capturing the Mouse. Dragging Example Capturing the Mouse In order to allow the user to drag something, you need to keep track of whether the mouse is "down" or "up". It is "down" from the MouseDown event to the subsequent MouseUp event. What

More information

Successor to Windows Graphics Device Interface (GDI)

Successor to Windows Graphics Device Interface (GDI) 1 GDI+ Successor to Windows Graphics Device Interface (GDI) supports GDI for compatibility with existing applications optimizes many of the capabilities of GDI provides additional features Class-based

More information

In this lecture we will briefly examine a few new controls, introduce the concept of scope, random numbers, and drawing simple graphics.

In this lecture we will briefly examine a few new controls, introduce the concept of scope, random numbers, and drawing simple graphics. Additional Controls, Scope, Random Numbers, and Graphics CS109 In this lecture we will briefly examine a few new controls, introduce the concept of scope, random numbers, and drawing simple graphics. Combo

More information

IN CHAPTER 9 we delved into advanced 2D graphics programming. In

IN CHAPTER 9 we delved into advanced 2D graphics programming. In 10 Transformation IN CHAPTER 9 we delved into advanced 2D graphics programming. In this chapter we will explore GDI+ transformations. A transformation is a process that changes graphics objects from one

More information

Drawing Graphics in C Sharp

Drawing Graphics in C Sharp Drawing Graphics in C Sharp Previous Table of Contents Next Building a Toolbar with C# and Visual Studio Using Bitmaps for Persistent Graphics in C# Purchase and download the full PDF and epub versions

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

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

The Microsoft.NET Framework

The Microsoft.NET Framework Microsoft Visual Studio 2005/2008 and the.net Framework The Microsoft.NET Framework The Common Language Runtime Common Language Specification Programming Languages C#, Visual Basic, C++, lots of others

More information

Class Test 5. Create a simple paint program that conforms to the following requirements.

Class Test 5. Create a simple paint program that conforms to the following requirements. Class Test 5 Question 1 Use visual studio 2012 ultimate to create a C# windows forms application. Create a simple paint program that conforms to the following requirements. The control box is disabled

More information

Introduction. Create a New Project. Create the Main Form. Assignment 1 Lights Out! in C# GUI Programming 10 points

Introduction. Create a New Project. Create the Main Form. Assignment 1 Lights Out! in C# GUI Programming 10 points Assignment 1 Lights Out! in C# GUI Programming 10 points Introduction In this lab you will create a simple C# application with a menu, some buttons, and an About dialog box. You will learn how to create

More information

Responding to the Mouse

Responding to the Mouse Responding to the Mouse The mouse has two buttons: left and right. Each button can be depressed and can be released. Here, for reference are the definitions of three common terms for actions performed

More information

The first program we write will display a picture on a Windows screen, with buttons to make the picture appear and disappear.

The first program we write will display a picture on a Windows screen, with buttons to make the picture appear and disappear. 4 Programming with C#.NET 1 Camera The first program we write will display a picture on a Windows screen, with buttons to make the picture appear and disappear. Begin by loading Microsoft Visual Studio

More information

BASICS OF MOTIONSTUDIO

BASICS OF MOTIONSTUDIO EXPERIMENT NO: 1 BASICS OF MOTIONSTUDIO User Interface MotionStudio combines draw, paint and animation in one easy easy-to-use program gram to save time and make work easy. Main Window Main Window is the

More information

INFORMATICS LABORATORY WORK #4

INFORMATICS LABORATORY WORK #4 KHARKIV NATIONAL UNIVERSITY OF RADIO ELECTRONICS INFORMATICS LABORATORY WORK #4 MAZE GAME CREATION Associate Professor A.S. Eremenko, Associate Professor A.V. Persikov Maze In this lab, you build a maze

More information

Part 1: Basics. Page Sorter:

Part 1: Basics. Page Sorter: Part 1: Basics Page Sorter: The Page Sorter displays all the pages in an open file as thumbnails and automatically updates as you add content. The page sorter can do the following. Display Pages Create

More information

MS WORD INSERTING PICTURES AND SHAPES

MS WORD INSERTING PICTURES AND SHAPES MS WORD INSERTING PICTURES AND SHAPES MICROSOFT WORD INSERTING PICTURES AND SHAPES Contents WORKING WITH ILLUSTRATIONS... 1 USING THE CLIP ART TASK PANE... 2 INSERTING A PICTURE FROM FILE... 4 FORMATTING

More information

ITEC185. Introduction to Digital Media

ITEC185. Introduction to Digital Media ITEC185 Introduction to Digital Media ADOBE ILLUSTRATOR CC 2015 What is Adobe Illustrator? Adobe Illustrator is a program used by both artists and graphic designers to create vector images. These images

More information

To get a copy of this image you right click on the image with your mouse and you will get a menu. Scroll down the menu and select "Save Image As".

To get a copy of this image you right click on the image with your mouse and you will get a menu. Scroll down the menu and select Save Image As. The most popular lesson I teach is editing photographs. Everyone wants to put his or her brother's head on a monkey or something similar. This is also a lesson about "emphasis". You can cause more individuals

More information

HTML Exercise 21 Making Simple Rectangular Buttons

HTML Exercise 21 Making Simple Rectangular Buttons HTML Exercise 21 Making Simple Rectangular Buttons Buttons are extremely popular and found on virtually all Web sites with multiple pages. Buttons are graphical elements that help visitors move through

More information

Edupen Pro User Manual

Edupen Pro User Manual Edupen Pro User Manual (software for interactive LCD/LED displays and monitors) Ver. 3 www.ahatouch.com Some services in Edupen Pro require dual touch capability. In order to use dual touch, your computer

More information

HOW TO. In this section, you will find. miscellaneous handouts that explain. HOW TO do various things.

HOW TO. In this section, you will find. miscellaneous handouts that explain. HOW TO do various things. In this section, you will find miscellaneous handouts that explain do various things. 140 SAVING Introduction Every time you do something, you should save it on the DESKTOP. Click Save and then click on

More information

HYPERSTUDIO TOOLS. THE GRAPHIC TOOL Use this tool to select graphics to edit. SPRAY PAINT CAN Scatter lots of tiny dots with this tool.

HYPERSTUDIO TOOLS. THE GRAPHIC TOOL Use this tool to select graphics to edit. SPRAY PAINT CAN Scatter lots of tiny dots with this tool. THE BROWSE TOOL Us it to go through the stack and click on buttons THE BUTTON TOOL Use this tool to select buttons to edit.. RECTANGLE TOOL This tool lets you capture a rectangular area to copy, cut, move,

More information

Lesson 4 Customize the ToolBox

Lesson 4 Customize the ToolBox Lesson 4 Customize the ToolBox In this lesson you will learn how to: Change the toolbox to be a Floating toolbox or a toolbox anchored on the Sidebar. Change the combo ToolBox size and highlighting. Change

More information

+ Inheritance. Sometimes we need to create new more specialized types that are similar to types we have already created.

+ Inheritance. Sometimes we need to create new more specialized types that are similar to types we have already created. + Inheritance + Inheritance Classes that we design in Java can be used to model some concept in our program. For example: Pokemon a = new Pokemon(); Pokemon b = new Pokemon() Sometimes we need to create

More information

Paint Tutorial (Project #14a)

Paint Tutorial (Project #14a) Paint Tutorial (Project #14a) In order to learn all there is to know about this drawing program, go through the Microsoft Tutorial (below). (Do not save this to your folder.) Practice using the different

More information

Word 3 Microsoft Word 2013

Word 3 Microsoft Word 2013 Word 3 Microsoft Word 2013 Mercer County Library System Brian M. Hughes, County Executive Action Technique 1. Insert a Text Box 1. Click the Insert tab on the Ribbon. 2. Then click on Text Box in the Text

More information

Adobe Flash CS4 Part 1: Introduction to Flash

Adobe Flash CS4 Part 1: Introduction to Flash CALIFORNIA STATE UNIVERSITY, LOS ANGELES INFORMATION TECHNOLOGY SERVICES Adobe Flash CS4 Part 1: Introduction to Flash Fall 2010, Version 1.0 Table of Contents Introduction...3 Downloading the Data Files...3

More information

Chapter 7 Applets. Answers

Chapter 7 Applets. Answers Chapter 7 Applets Answers 1. D The drawoval(x, y, width, height) method of graphics draws an empty oval within a bounding box, and accepts 4 int parameters. The x and y coordinates of the left/top point

More information

Efficiency of Bubble and Shell Sorts

Efficiency of Bubble and Shell Sorts REVIEW Efficiency of Bubble and Shell Sorts Array Elements Bubble Sort Comparisons Shell Sort Comparisons 5 10 17 10 45 57 15 105 115 20 190 192 25 300 302 30 435 364 50 1225 926 100 4950 2638 500 124,750

More information

Additional Controls & Objects

Additional Controls & Objects Additional Controls & Objects November 8, 2006 Chapter 9 - VB 2005 by Schneider 1 General Tips & Tricks Now is the time to start thinking about the final exam Continue (start!) doing questions from the

More information

OnPoint s Guide to MimioStudio 9

OnPoint s Guide to MimioStudio 9 1 OnPoint s Guide to MimioStudio 9 Getting started with MimioStudio 9 Mimio Studio 9 Notebook Overview.... 2 MimioStudio 9 Notebook...... 3 MimioStudio 9 ActivityWizard.. 4 MimioStudio 9 Tools Overview......

More information

DRAWING AND MOVING IMAGES

DRAWING AND MOVING IMAGES DRAWING AND MOVING IMAGES Moving images and shapes in a Visual Basic application simply requires the user of a Timer that changes the x- and y-positions every time the Timer ticks. In our first example,

More information

PLEASE NOTE THAT LECTURE NOTES ARE IN TRANSITION TO VERSION 8

PLEASE NOTE THAT LECTURE NOTES ARE IN TRANSITION TO VERSION 8 Flash MX Professional 2004/Flash 8 Introduction to Flash, Panels, Drawing tools Outline of lecture demo/hands on class practice (Reading Chapters Flash MX 2004 HOT CH 1-3) PLEASE NOTE THAT LECTURE NOTES

More information

BUSINESS PROCESS DOCUMENTATION. Presented By Information Technology

BUSINESS PROCESS DOCUMENTATION. Presented By Information Technology BUSINESS PROCESS DOCUMENTATION Presented By Information Technology Table of Contents Snipping Tool... 3 Start the Standard Snipping Tool in Windows... 3 Pinning to the Taskbar... 3 Capture a Snip... 3

More information

2. If a window pops up that asks if you want to customize your color settings, click No.

2. If a window pops up that asks if you want to customize your color settings, click No. Practice Activity: Adobe Photoshop 7.0 ATTENTION! Before doing this practice activity you must have all of the following materials saved to your USB: runningshoe.gif basketballshoe.gif soccershoe.gif baseballshoe.gif

More information

Creating a Text Frame. Create a Table and Type Text. Pointer Tool Text Tool Table Tool Word Art Tool

Creating a Text Frame. Create a Table and Type Text. Pointer Tool Text Tool Table Tool Word Art Tool Pointer Tool Text Tool Table Tool Word Art Tool Picture Tool Clipart Tool Creating a Text Frame Select the Text Tool with the Pointer Tool. Position the mouse pointer where you want one corner of the text

More information

CSci 1113, Fall 2015 Lab Exercise 11 (Week 13): Discrete Event Simulation. Warm-up. Stretch

CSci 1113, Fall 2015 Lab Exercise 11 (Week 13): Discrete Event Simulation. Warm-up. Stretch CSci 1113, Fall 2015 Lab Exercise 11 (Week 13): Discrete Event Simulation It's time to put all of your C++ knowledge to use to implement a substantial program. In this lab exercise you will construct a

More information

Pen Tool, Fill Layers, Color Range, Levels Adjustments, Magic Wand tool, and shadowing techniques

Pen Tool, Fill Layers, Color Range, Levels Adjustments, Magic Wand tool, and shadowing techniques Creating a superhero using the pen tool Topics covered: Pen Tool, Fill Layers, Color Range, Levels Adjustments, Magic Wand tool, and shadowing techniques Getting Started 1. Reset your work environment

More information

Cropping an Image for the Web

Cropping an Image for the Web Cropping an Image for the Web This guide covers how to use the Paint software included with Microsoft Windows to crop images for use on a web page. Opening Microsoft Paint (In Windows Accessories) On your

More information

10Tec igrid for.net 6.0 What's New in the Release

10Tec igrid for.net 6.0 What's New in the Release What s New in igrid.net 6.0-1- 2018-Feb-15 10Tec igrid for.net 6.0 What's New in the Release Tags used to classify changes: [New] a totally new feature; [Change] a change in a member functionality or interactive

More information

SMART Recorder. Record. Pause. Stop

SMART Recorder. Record. Pause. Stop SMART Recorder The recorder is used to record actions that are done on the interactive screen. If a microphone is attached to the computer, narration can be recorded. After the recording has been created,

More information

Course 2DCis: 2D-Computer Graphics with C# Chapter C1: Comments to the Intro Project

Course 2DCis: 2D-Computer Graphics with C# Chapter C1: Comments to the Intro Project 1 Course 2DCis: 2D-Computer Graphics with C# Chapter C1: Comments to the Intro Project Copyright by V. Miszalok, last update: 04-01-2006 using namespaces //The.NET Framework Class Library FCL contains

More information

Paint/Draw Tools. Foreground color. Free-form select. Select. Eraser/Color Eraser. Fill Color. Color Picker. Magnify. Pencil. Brush.

Paint/Draw Tools. Foreground color. Free-form select. Select. Eraser/Color Eraser. Fill Color. Color Picker. Magnify. Pencil. Brush. Paint/Draw Tools There are two types of draw programs. Bitmap (Paint) Uses pixels mapped to a grid More suitable for photo-realistic images Not easily scalable loses sharpness if resized File sizes are

More information

Kidspiration 3 Basics Website:

Kidspiration 3 Basics Website: Website: http://etc.usf.edu/te/ Kidspiration is the visual learning tool for K-5 learners from the makers of Inspiration. With Kidspiration, students can build graphic organizers such as webs, concept

More information

You can retrieve the chart by inputting the symbol of stock, warrant, index futures, sectoral

You can retrieve the chart by inputting the symbol of stock, warrant, index futures, sectoral Chart Menu Chart menu displays graphical data with histories and 16 major technical analysis tools and Trend Line. You can click at the tool you like. Chart will be changed according to your selection.

More information

Course 2DCis: 2D-Computer Graphics with C# Chapter C1: The Intro Project

Course 2DCis: 2D-Computer Graphics with C# Chapter C1: The Intro Project 1 Course 2DCis: 2D-Computer Graphics with C# Chapter C1: The Intro Project Copyright by V. Miszalok, last update: 09-12-2007 An empty window DrawString: Hallo World Print window size with color font Left,

More information

CS 315 Software Design Homework 1 First Sip of Java Due: Sept. 10, 11:30 PM

CS 315 Software Design Homework 1 First Sip of Java Due: Sept. 10, 11:30 PM CS 315 Software Design Homework 1 First Sip of Java Due: Sept. 10, 11:30 PM Objectives The objectives of this assignment are: to get your first experience with Java to become familiar with Eclipse Java

More information

Graffiti Wallpaper Photoshop Tutorial

Graffiti Wallpaper Photoshop Tutorial Graffiti Wallpaper Photoshop Tutorial Adapted from http://photoshoptutorials.ws/photoshop-tutorials/drawing/create-your-own-graffiti-wallpaper-inphotoshop.html Step 1 - Create a New Document Choose File

More information

Custom Shapes As Text Frames In Photoshop

Custom Shapes As Text Frames In Photoshop Custom Shapes As Text Frames In Photoshop I used a background for this activity. Save it and open in Photoshop: Select Photoshop's Custom Shape Tool from the Tools panel. In the custom shapes options panel

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

Presents: PowerPoint 101. Adapted from the Texas State Library s TEAL for All Texans Student Resources Manual

Presents: PowerPoint 101. Adapted from the Texas State Library s TEAL for All Texans Student Resources Manual Presents: PowerPoint 101 Adapted from the Texas State Library s TEAL for All Texans Student Resources Manual PowerPoint Topics Intro to PowerPoint Designing a Presentation The Next Level Goals and Objectives

More information

Chapter 6. Multiform Projects The McGraw-Hill Companies, Inc. All rights reserved. McGraw-Hill

Chapter 6. Multiform Projects The McGraw-Hill Companies, Inc. All rights reserved. McGraw-Hill Chapter 6 Multiform Projects McGraw-Hill 2010 The McGraw-Hill Companies, Inc. All rights reserved. Chapter Objectives - 1 Include multiple forms in an application Use a template to create an About box

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

Sema Foundation ICT Department. Lesson - 18

Sema Foundation ICT Department. Lesson - 18 Lesson - 18 1 Manipulating Windows We can work with several programs at a time in Windows. To make working with several programs at once very easy, we can change the size of the windows by: maximize minimize

More information

HTML Links Tutorials http://www.htmlcodetutorial.com/ http://www.w3.org/markup/guide/ Quick Reference http://werbach.com/barebones/barebones.html Applets A Java application is a stand-alone program with

More information

Adobe Illustrator CS Design Professional GETTING STARTED WITH ILLUSTRATOR

Adobe Illustrator CS Design Professional GETTING STARTED WITH ILLUSTRATOR Adobe Illustrator CS Design Professional GETTING STARTED WITH ILLUSTRATOR Chapter Lessons Create a new document Explore the Illustrator window Create basic shapes Apply fill and stroke colors to objects

More information

Create a memory DC for double buffering

Create a memory DC for double buffering Animation Animation is implemented as follows: Create a memory DC for double buffering Every so many milliseconds, update the image in the memory DC to reflect the motion since the last update, and then

More information

TWO-DIMENSIONAL FIGURES

TWO-DIMENSIONAL FIGURES TWO-DIMENSIONAL FIGURES Two-dimensional (D) figures can be rendered by a graphics context. Here are the Graphics methods for drawing draw common figures: java.awt.graphics Methods to Draw Lines, Rectangles

More information

Dive Into Visual C# 2008 Express

Dive Into Visual C# 2008 Express 1 2 2 Dive Into Visual C# 2008 Express OBJECTIVES In this chapter you will learn: The basics of the Visual Studio Integrated Development Environment (IDE) that assists you in writing, running and debugging

More information

Application of Skills: Microsoft PowerPoint 2013 Tutorial

Application of Skills: Microsoft PowerPoint 2013 Tutorial Application of Skills: Microsoft PowerPoint 2013 Tutorial Throughout this tutorial, you will progress through a series of steps to create a presentation about yourself. You will continue to add to this

More information

FLASH 5 PART II USER MANUAL

FLASH 5 PART II USER MANUAL Multimedia Module FLASH 5 PART II USER MANUAL For information and permission to use these training modules, please contact: Limell Lawson - limell@u.arizona.edu - 520.621.6576 or Joe Brabant - jbrabant@u.arizona.edu

More information

ECB Digital - Our World (5th Grade)

ECB Digital - Our World (5th Grade) ECB Digital - Our World (5th Grade) There are several ways to navigate around the Whiteboard Digital Books: 1 Go to a chosen unit or feature by clicking on a button on the main menu. 2 Go to a specific

More information

Customizing FlipCharts Promethean Module 2 (ActivInspire)

Customizing FlipCharts Promethean Module 2 (ActivInspire) Customizing FlipCharts Promethean Module 2 (ActivInspire) Section 1: Browsers The browsers (located on the left side of the flipchart) are menus for various functions. To view the browsers, click Main

More information

ECB Digital - Click 3 (4th Grade)

ECB Digital - Click 3 (4th Grade) ECB Digital - Click 3 (4th Grade) There are several ways to navigate around the Whiteboard Digital Books: 1 Go to a chosen unit or feature by clicking on a button on the main menu. 2 Go to a specific page

More information

ANSWER KEY. Chapter 1. Introduction to Computers

ANSWER KEY. Chapter 1. Introduction to Computers 3 ANSWER KEY Chapter 1. Introduction to Computers Exercises A. 1. c. 2. a. 3. b. 4. a. B. 1. False 2. True 3. True 4. True 5. False 6. True C. 1. Processing 2. Notebooks 3. Output 4. Data 5. PARAM D. 1.

More information

ACTIVINSPIRE BASICS. Chapter 1 - Connecting the Equipment. Two things to remember--power and connection!

ACTIVINSPIRE BASICS. Chapter 1 - Connecting the Equipment. Two things to remember--power and connection! ACTIVINSPIRE BASICS Chapter 1 - Connecting the Equipment Two things to remember--power and connection! 1. The ActivBoard must be plugged into an outlet, and the power button on the left side must be pushed

More information

My Awesome Presentation Exercise

My Awesome Presentation Exercise My Awesome Presentation Exercise Part One: Creating a Photo Album 1. Click on the Insert tab. In the Images group click on the Photo Album command. 2. In the Photo Album window that pops up, look in the

More information

Step 1: Create A New Photoshop Document

Step 1: Create A New Photoshop Document Snowflakes Photo Border In this Photoshop tutorial, we ll learn how to create a simple snowflakes photo border, which can be a fun finishing touch for photos of family and friends during the holidays,

More information

ENGAGING SOLUTIONS MOBI and Workspace Beginners Manual

ENGAGING SOLUTIONS MOBI and Workspace Beginners Manual ENGAGING SOLUTIONS MOBI and Workspace Beginners Manual MOBI VIEW Your local sales team: Merianne Wininger Kristen Rush Joe Musgrave Kim Brewer 832.524.6487 support@iclick2engage.com www.iclick2engage.com

More information

Lesson 1 New Presentation

Lesson 1 New Presentation Powerpoint Lesson 1 New Presentation 1. When PowerPoint first opens, there are four choices on how to create a new presentation. You can select AutoContent wizard, Template, Blank presentation or Open

More information

ESCHERLIKE developed by Géraud Bousquet. User s manual C03-04 STROKE WIDTH C03-05 TRANSPARENCY C04-01 SAVE YOUR WORK C04-02 OPEN A FILE

ESCHERLIKE developed by Géraud Bousquet. User s manual C03-04 STROKE WIDTH C03-05 TRANSPARENCY C04-01 SAVE YOUR WORK C04-02 OPEN A FILE Summary ESCHERLIKE 1.3.2 developed by Géraud Bousquet User s manual EscherLike is a software program that makes it easy to draw all the regular tilings of the plane. There are 93 different tilings (and

More information

March 2006, rev 1.3. User manual

March 2006, rev 1.3. User manual March 2006, rev 1.3 User manual Note concerning the warranty and the rights of ownership The information contained in this document is subject to modification without notice. The vendor and the authors

More information

Center for Faculty Development and Support Creating Powerful and Accessible Presentation

Center for Faculty Development and Support Creating Powerful and Accessible Presentation Creating Powerful and Accessible Presentation PowerPoint 2007 Windows Tutorial Contents Create a New Document... 3 Navigate in the Normal View (default view)... 3 Input and Manipulate Text in a Slide...

More information

ILLUSTRATOR TUTORIAL-1 workshop handout

ILLUSTRATOR TUTORIAL-1 workshop handout Why is Illustrator a powerful tool? ILLUSTRATOR TUTORIAL-1 workshop handout Computer graphics fall into two main categories, bitmap graphics and vector graphics. Adobe Illustrator is a vector based software

More information

How to create interactive documents

How to create interactive documents Adobe InDesign Guide How to create interactive documents You can use Adobe InDesign to create dynamic web content or interactive documents. InDesign supports export to web-ready HTML or interactive PDF.

More information

To learn more about the Milestones window choose: Help Help Topics Select the Index tab and type in the feature. For Example toolbox.

To learn more about the Milestones window choose: Help Help Topics Select the Index tab and type in the feature. For Example toolbox. To learn more about the Milestones window choose: Help Help Topics Select the Index tab and type in the feature. For Example toolbox. 1 of 12 CHOOSE THE DATES TAB TO: 1. Set the schedule s Date Range.

More information

Making a Portrait From a Snapshot by Phil Russell

Making a Portrait From a Snapshot by Phil Russell Making a Portrait From a Snapshot by Phil Russell Wouldn t it be nice if you had a great snapshot of a friend that you could turn it into a studio portrait? With Photoshop 6 and 7, it is fairly simple.

More information

SAS Visual Analytics 8.2: Working with Report Content

SAS Visual Analytics 8.2: Working with Report Content SAS Visual Analytics 8.2: Working with Report Content About Objects After selecting your data source and data items, add one or more objects to display the results. SAS Visual Analytics provides objects

More information

2. In the Start and End Dates section, use the Calendar icon to change the Displayed Start Date to 1/1/2015 and the Displayed End Date to 5/31/2015.

2. In the Start and End Dates section, use the Calendar icon to change the Displayed Start Date to 1/1/2015 and the Displayed End Date to 5/31/2015. Tutorials Lesson 1 - Format a Schedule In this lesson you will learn how to: Change the schedule s date range. Change the date headings. Change the schedule dimensions. Change the legend and add a new

More information

The Macromedia Flash Workspace

The Macromedia Flash Workspace Activity 5.1 Worksheet The Macromedia Flash Workspace Student Name: Date: Identify the Stage, workspace, Timeline, layers, panels, Tools panel, and Property inspector. The Macromedia Flash Workspace 5-35

More information

A Guide to Processing Photos into 3D Models Using Agisoft PhotoScan

A Guide to Processing Photos into 3D Models Using Agisoft PhotoScan A Guide to Processing Photos into 3D Models Using Agisoft PhotoScan Samantha T. Porter University of Minnesota, Twin Cities Fall 2015 Index 1) Automatically masking a black background / Importing Images.

More information

Appleworks 6.0 Word Processing

Appleworks 6.0 Word Processing Appleworks 6.0 Word Processing AppleWorks 6.0 Starting Points What s New in AppleWorks 6.0 AppleWorks 6.0 is a versatile and powerful program that integrates the best of everything you need - word processing,

More information

Adobe Illustrator. Always NAME your project file. It should be specific to you and the project you are working on.

Adobe Illustrator. Always NAME your project file. It should be specific to you and the project you are working on. Adobe Illustrator This packet will serve as a basic introduction to Adobe Illustrator and some of the tools it has to offer. It is recommended that anyone looking to become more familiar with the program

More information

Tricking it Out: Tricks to personalize and customize your graphs.

Tricking it Out: Tricks to personalize and customize your graphs. Tricking it Out: Tricks to personalize and customize your graphs. Graphing templates may be used online without downloading them onto your own computer. However, if you would like to use the templates

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 QUICK TOUR OF ADOBE ILLUSTRATOR CC (2018 RELEASE)

A QUICK TOUR OF ADOBE ILLUSTRATOR CC (2018 RELEASE) A QUICK TOUR OF ADOBE ILLUSTRATOR CC (2018 RELEASE) Lesson overview In this interactive demonstration of Adobe Illustrator CC (2018 release), you ll get an overview of the main features of the application.

More information

ScreenHunter 7.0 Pro Help File

ScreenHunter 7.0 Pro Help File ScreenHunter 7.0 Pro Help File 2017 Wisdom Software Inc. All rights reserved. Designated trademarks and brands are the property of their respective owners. Notice of Non-Liability Wisdom Software Inc.

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

Adobe Photoshop Sh S.K. Sublania and Sh. Naresh Chand

Adobe Photoshop Sh S.K. Sublania and Sh. Naresh Chand Adobe Photoshop Sh S.K. Sublania and Sh. Naresh Chand Photoshop is the software for image processing. With this you can manipulate your pictures, either scanned or otherwise inserted to a great extant.

More information

HAPPY HOLIDAYS PHOTO BORDER

HAPPY HOLIDAYS PHOTO BORDER HAPPY HOLIDAYS PHOTO BORDER In this Photoshop tutorial, we ll learn how to create a simple and fun Happy Holidays winter photo border! Photoshop ships with some great snowflake shapes that we can use in

More information

This document should only be used with the Apple Macintosh version of Splosh.

This document should only be used with the Apple Macintosh version of Splosh. Splosh 1 Introduction Splosh is an easy to use art package that runs under both Microsoft Windows and the Macintosh Mac OS Classic or Mac OS X operating systems. It should however be noted that the Apple

More information

Instructions for Crossword Assignment CS130

Instructions for Crossword Assignment CS130 Instructions for Crossword Assignment CS130 Purposes: Implement a keyboard interface. 1. The program you will build is meant to assist a person in preparing a crossword puzzle for publication. You have

More information

Labels and Envelopes in Word 2013

Labels and Envelopes in Word 2013 Labels and Envelopes in Word 2013 Labels... 2 Labels - A Blank Page... 2 Selecting the Label Type... 2 Creating the Label Document... 2 Labels - A Page of the Same... 3 Printing to a Specific Label on

More information

OPEN-SANKORE MANUAL. (Start) button and type Open-Sankoré in the search box, and then click on the Open Sankoré icon as displayed in

OPEN-SANKORE MANUAL. (Start) button and type Open-Sankoré in the search box, and then click on the Open Sankoré icon as displayed in 2015 TABLE OF CONTENTS Sankoré Interface 2 Menu Bar.3 Floating toolbar.. 6 Textbox....8 Drawing shapes and arrows... 11 Capture screen.. 22 Library.. 23 1. Videos...25 2. Pictures. 27 Copying pictures

More information

Creative Uses of PowerPoint 2003

Creative Uses of PowerPoint 2003 Creative Uses of PowerPoint 2003 Creating an Audio File 1) Connect your microphone 2) Click on Insert 3) Click on Movies and Sounds 4) Click on Record Sound Play Stop Record 5) Click on the Record button

More information