Java Example. A First Java Program. Pixels, Rasters, Sprites, and BitBlts. Exercise #1. Experiencing JAVAphobia?
|
|
|
- Edgar Turner
- 9 years ago
- Views:
Transcription
1 Pixels, Rasters, Sprites, and BitBlts Exercise #1 Set up your course homepage by next Tuesday 9/19 Experiencing JAVAphobia? Homepage Requirements: Exercise #1 A Graphical Hello World Rasters Pixels Sprites BitBlts Before 6837 I was a normal lab rat, now I am the BRAIN! My Projects: Cool Places: Project #1 MIT's Graphics Group Project #2 Avalon Project #3 My REAL homepage Project #4 6837's homepage Project #5 Narf! Locate on imagery in /mit/imagery2/6837/f00/username (you must execute "add imageory2" first) Something about you Links to all 5 projects Area for links to computer graphics sites that you find interesting A link back to the 6837 homepage Lecture 2 Slide Fall '00 Lecture 2 Slide Fall '00 [9/12/2000 4:46:01 PM] [9/12/2000 4:46:06 PM] A First Java Program We start by writing what is called a Java applet This is a form of a Java program that can be embedded in a HTML document and accessed from the web An example HTML document that calls our example applet is shown below: <HTML> <HEAD> <TITLE>Demo Applet</TITLE> </HEAD> <BODY> <H1>Demo Applet</H1> <P>My favorite class is 6837</P> <HR> <CENTER> <APPLET code="democlass" width=200 height=200> </APPLET> </CENTER> <HR> </BODY> </HTML> The highlighted lines add the Java code to our document Notice the class extension All Java source code files should end with a java extension The source is here Java Example Next, the source of the demojava file is shown import javaapplet*; import javaawt*; public class Demo extends Applet { Image image; int count; public void init() { image = getimage(getdocumentbase(), "Worldjpg"); count = 1; public void paint(graphics g) { gdrawimage(image, 0, 0, this); gsetcolor(colorred); for (int y = 15; y < size()height; y += 15) { int x = (int) (size()width/2 + 30*Mathcos(MathPI*y/75)); gdrawstring("hello", x, y); showstatus("paint called "+count+" time"+((count > 1)?"s":"")); count += 1; You can get the source here and the Worldjpg image here Lecture 2 Slide Fall '00 Lecture 2 Slide Fall '00 [9/12/2000 4:46:07 PM] [9/12/2000 4:46:10 PM]
2 The Applet in Action Review of Raster Displays Demo Applet My favorite class is 6837 This is all of the Java programming language that we will specifically cover in class If you have never used Java before, you might want to consider buying one of the books discussed on the course's home page Display synchronized with CRT sweep Special memory for screen update Pixels are the discrete elements displayed Generally, updates are visible Lecture 2 Slide Fall '00 [9/12/2000 4:46:11 PM] Lecture 2 Slide Fall '00 [9/12/2000 4:46:14 PM] High-End Graphics Display System A Memory Raster Adds a second frame buffer Swaps during vertical blanking Updates are invisible Costly Maintains a copy of the screen (or some part of it) in memory Relies on a fast copy Updates are nearly invisible Conceptual model of a physical object Lecture 2 Slide Fall '00 [9/12/2000 4:46:16 PM] Lecture 2 Slide Fall '00 [9/12/2000 4:46:17 PM]
3 A Java Model of a Memory Raster class Raster implements ImageObserver { ////////////////////////// Constructors ///////////////////// public Raster(); // allows class to be extended public Raster(int w, int h); // specify size public Raster(Image img); // set to size and contents of image ////////////////////////// Interface Method ///////////////// public boolean imageupdate(image img, int flags, int x, int y, int w, int h); ////////////////////////// Accessors ////////////////////////// public int getsize( ); // pixels in raster public int getwidth( ); // width of raster public int getheight( ); // height of raster public int[] getpixelbuffer( ); // get array of pixels ////////////////////////// Methods //////////////////////////// public void fill(int argb); // fill with packed argb public void fill(color c); // fill with Java color public Image toimage(component root); public int getpixel(int x, int y); public Color getcolor(int x, int y); public boolean setpixel(int pix, int x, int y); public boolean setcolor(color c, int x, int y); Download Rasterjava here Lecture 2 Slide Fall '00 [9/12/2000 4:46:18 PM] The code on the right demonstrates the use of a Raster object The running Applet is shown below Clicking on the image will cause it to be negated The source code for this applet can be downloaded here: Rastestjava Example Usage: Rastestjava import javaapplet*; import javaawt*; import Raster; public class Rastest extends Applet { Raster raster; Image output; int count = 0; public void init() { String filename = getparameter("image"); output = getimage(getdocumentbase(), filename); raster = new Raster(output); showstatus("image size: " + rastergetwidth() + " x " + rastergetheight()); public void paint(graphics g) { gdrawimage(output, 0, 0, this); count += 1; showstatus("paint() called " + count + " time" + ((count > 1)? "s":"")); public void update(graphics g) { paint(g); public boolean mouseup(event e, int x, int y) { int s = rastergetsize(); int [] pixel = rastergetpixelbuffer(); for (int i = 0; i < s; i++) { rasterpixel[i] ^= 0x00ffffff; output = rastertoimage(this); repaint(); return true; Lecture 2 Slide Fall '00 [9/12/2000 4:46:19 PM] Lets Talk About Pixels True-Color Frame Buffers Pixels are stored as a 1-dimensional array of ints Each int is formatted according to Java's standard pixel model Alpha Red Green Blue The 4 bytes of a 32-bit Pixel int if Alpha is 0 the pixel is transparent if Alpha is 255 the pixel is opaque Layout of the pixel array on the display: This is the image format used internally by Java Each pixel requires at least 3 bytes One byte for each primary color Sometimes combined with a look-up table per primary Each pixel can be one of 2^24 colors Worry about your Endians Lecture 2 Slide Fall '00 [9/12/2000 4:46:21 PM] Lecture 2 Slide Fall '00 [9/12/2000 4:46:22 PM]
4 Indexed-Color Frame Buffers High-Color Frame Buffers Pixels are packed in a short Each primary uses 5 bits Popular PC/(SVGA) standard (popular with Gamers) Each pixel can be one of 2^15 colors Can exhibit worse quantization (banding) effects than Indexed-color Each pixel uses one byte Each byte is an index into a color map If the color map is not updated synchronously then Color-map flashing may occcur Color-map Animations Each pixel may be one of 2^24 colors, but only 256 color be displayed at a time Lecture 2 Slide Fall '00 [9/12/2000 4:46:23 PM] Lecture 2 Slide Fall '00 [9/12/2000 4:46:25 PM] Sprites A Sprite is a Raster Sprites are rasters that can be overlaid onto a background raster called a playfield A sprite can be animated, and it generally can be repositioned freely any where within the playfield class Sprite extends Raster { int x, y; // position of sprite on playfield public void Draw(Raster bgnd); // draws sprite on a Raster Things to consider: The Draw( ) method must handle transparent pixels, and it must also handle all cases where the sprite overhangs the playfield Lecture 2 Slide Fall '00 [9/12/2000 4:46:26 PM] Lecture 2 Slide Fall '00 [9/12/2000 4:46:27 PM]
5 An Animated Sprite is a Sprite class AnimatedSprite extends Sprite { int frames; // frames in sprite // there are other private variables public AnimatedSprite(Image images, int frames); public void addstate(int track, int frame, int ticks, int dx, int dy); public void Draw(Raster bgnd); public void nextstate(); public void settrack(); A Playfield is a Raster and has Animated Sprites class Playfield extends Raster { Raster background; // background image AnimatedSprite sprite[]; // list of sprites on this playfield public Playfield(Image bgnd, int numsprites); public void addsprite(int i, AnimatedSprite s); public void Draw( ); A track is a series of frames The frame is displayed for ticks periods The sprite's position is then moved (dx, dy) pixels Lecture 2 Slide Fall '00 [9/12/2000 4:46:29 PM] Lecture 2 Slide Fall '00 [9/12/2000 4:46:30 PM] Other Image Formats What if we want to read in some other image format? bmp, ppm, tif, tga, rgb, ras, psd, We must implement an imageproducer to read pixels, an imageconsumer to make the image, and keep imageobservers updated Where? How? Luckily, We Already Have From our Raster class: public final Image toimage(component root) { return rootcreateimage(new MemoryImageSource(width, height, pixel, 0, width)); The MemoryImageSource method is an imageproducer (root is an imageobserver) public class ppmdecoder { Raster imgraster; // declare a Raster public ppmdecoder() { public Image getppmimage(url url) { // open url and read image header // create imgraster // copy data from file into imgraster return (imgrastertoimage()); Lecture 2 Slide Fall '00 [9/12/2000 4:46:32 PM] Lecture 2 Slide Fall '00 [9/12/2000 4:46:33 PM]
6 PixBlts PixBlts are raster methods for moving and clearing sub-blocks of pixels from one region of a raster to another Very heavily used by window systems: moving windows around scrolling text copying and clearing Here's a PixBlt method: Seems Easy public void PixBlt(int xs, int ys, int w, int h, int xd, int yd) { for (int j = 0; j < h; j++) { for (int i = 0; i < w; i++) { thissetpixel(rastergetpixel(xs+i, ys+j), xd+i, yd+j); But does this work? What are the issues? How do you fix it? Lecture 2 Slide Fall '00 [9/12/2000 4:46:34 PM] Lecture 2 Slide Fall '00 [9/12/2000 4:46:36 PM] The Tricky Blits Our PixBlt Method works fine when the source and destination regions do not overlap But, when these two regions do overlap we need to take special care to avoid copying the wrong pixels The best way to handle this situation is by changing the iteration direction of the copy loops to avoid problems Graphics System Architecture Computer Graphics is one of the few computer system functions where specialized H/W is still commonly used Why? The numbers: 1M pixels * 60 f/s * 1 op/(pixel frame) = 60M ops/s Wouldn't you like to compute while your screen scrolls? Isn't graphics why you have a computer? The iteration direction must always be opposite of the direction of the block's movement for each axis You could write a fancy loop which handles all four cases However, this code is usually so critical to system performace that, generally, code is written for all 4 cases and called based on a test of the source and destination origins In fact the code is usually unrolled Lecture 2 Slide Fall '00 Lecture 2 Slide Fall '00 [9/12/2000 4:46:37 PM] [9/12/2000 4:46:39 PM]
7 The Problem is Bandwidth Graphics is one of the most bandwidth intensive tasks that a computer does For graphics, caching is not the effective solution that it is for traditional computing Since we are always operating at or near the maximum capabilities of the current processing technology, graphics relys on architectural innovations to achieve the required performance The most popular solution is parallelism Lets discuss how parallelism is exploited in graphics architectures Pixel Interleaving: Finer Grain Parallelism In the absence of pixel-level interleaving, we need to constantly shuffle primitives in order to achieve a good load balance There are many possible options: Sort-First Sort-Middle Sort-Last Lately, new architures have been suggested Sort-Everywhere Eldridge, Ighey, and Hanrahan, Pomegranate: A Fully Scalable Graphics Architecture, SIGGRAPH '00 Lecture 2 Slide Fall '00 Lecture 2 Slide Fall '00 [9/12/2000 4:46:40 PM] [9/12/2000 4:46:41 PM] Next Time How do we see? How do we percieve color? Why do we only need red, green, and blue channels? Is gamma greek to you? What is a Just-noticable diffference anyway? Lecture 2 Slide Fall '00 [9/12/2000 4:46:43 PM]
Image Processing. In this chapter: ImageObserver ColorModel ImageProducer ImageConsumer ImageFilter
12 In this chapter: ImageObserver ColorModel ImageProducer ImageConsumer ImageFilter Image Processing The image processing parts of Java are buried within the java.awt.image package. The package consists
Here's the code for our first Applet which will display 'I love Java' as a message in a Web page
Create a Java Applet Those of you who purchased my latest book, Learn to Program with Java, know that in the book, we create a Java program designed to calculate grades for the English, Math and Science
Chapter 1 Java Program Design and Development
presentation slides for JAVA, JAVA, JAVA Object-Oriented Problem Solving Third Edition Ralph Morelli Ralph Walde Trinity College Hartford, CT published by Prentice Hall Java, Java, Java Object Oriented
The Basic Java Applet and JApplet
I2PUJ4 - Chapter 6 - Applets, HTML, and GUI s The Basic Java Applet and JApplet Rob Dempster [email protected] School of Computer Science University of KwaZulu-Natal Pietermaritzburg Campus I2PUJ4 - Chapter
Graphics Module Reference
Graphics Module Reference John M. Zelle Version 4.1, Fall 2010 1 Overview The package graphics.py is a simple object oriented graphics library designed to make it very easy for novice programmers to experiment
An Overview of Java. overview-1
An Overview of Java overview-1 Contents What is Java Major Java features Java virtual machine Java programming language Java class libraries (API) GUI Support in Java Networking and Threads in Java overview-2
Package png. February 20, 2015
Version 0.1-7 Title Read and write PNG images Package png February 20, 2015 Author Simon Urbanek Maintainer Simon Urbanek Depends R (>= 2.9.0)
Introduction to Java Applets (Deitel chapter 3)
Introduction to Java Applets (Deitel chapter 3) 1 2 Plan Introduction Sample Applets from the Java 2 Software Development Kit Simple Java Applet: Drawing a String Drawing Strings and Lines Adding Floating-Point
Java applets. SwIG Jing He
Java applets SwIG Jing He Outline What is Java? Java Applications Java Applets Java Applets Securities Summary What is Java? Java was conceived by James Gosling at Sun Microsystems Inc. in 1991 Java is
Single Page Web App Generator (SPWAG)
Single Page Web App Generator (SPWAG) Members Lauren Zou (ljz2112) Aftab Khan (ajk2194) Richard Chiou (rc2758) Yunhe (John) Wang (yw2439) Aditya Majumdar (am3713) Motivation In 2012, HTML5 and CSS3 took
Creating Web Pages with Microsoft FrontPage
Creating Web Pages with Microsoft FrontPage 1. Page Properties 1.1 Basic page information Choose File Properties. Type the name of the Title of the page, for example Template. And then click OK. Short
How to Convert an Application into an Applet.
How to Convert an Application into an Applet. A java application contains a main method. An applet is a java program part of a web page and runs within a browser. I am going to show you three different
public class Application extends JFrame implements ChangeListener, WindowListener, MouseListener, MouseMotionListener {
Application.java import javax.swing.*; import java.awt.geom.*; import java.awt.event.*; import javax.swing.event.*; import java.util.*; public class Application extends JFrame implements ChangeListener,
Lesson 10: Video-Out Interface
Lesson 10: Video-Out Interface 1. Introduction The Altera University Program provides a number of hardware controllers, called cores, to control the Video Graphics Array (VGA) Digital-to-Analog Converter
method is never called because it is automatically called by the window manager. An example of overriding the paint() method in an Applet follows:
Applets - Java Programming for the Web An applet is a Java program designed to run in a Java-enabled browser or an applet viewer. In a browser, an applet is called into execution when the APPLET HTML tag
So we're set? Have your text-editor ready. Be sure you use NotePad, NOT Word or even WordPad. Great, let's get going.
Web Design 1A First Website Intro to Basic HTML So we're set? Have your text-editor ready. Be sure you use NotePad, NOT Word or even WordPad. Great, let's get going. Ok, let's just go through the steps
Working with forms in PHP
2002-6-29 Synopsis In this tutorial, you will learn how to use forms with PHP. Page 1 Forms and PHP One of the most popular ways to make a web site interactive is the use of forms. With forms you can have
CSC 551: Web Programming. Spring 2004
CSC 551: Web Programming Spring 2004 Java Overview Design goals & features platform independence, portable, secure, simple, object-oriented, Programming models applications vs. applets vs. servlets intro
Using Text & Graphics with Softron s OnTheAir CG and OnTheAir Video
OnTheAir CG (OTACG) and OnTheAir Video Express (OTAVE) are two very different Softron products that are used to overlay text and graphics onto a live video source. Elements as diverse as still logos, clocks,
CIS 467/602-01: Data Visualization
CIS 467/602-01: Data Visualization HTML, CSS, SVG, (& JavaScript) Dr. David Koop Assignment 1 Posted on the course web site Due Friday, Feb. 13 Get started soon! Submission information will be posted Useful
There are some important differences between an applet and a standalone Java application, including the following:
JAVA - APPLET BASICS Copyright tutorialspoint.com An applet is a Java program that runs in a Web browser. An applet can be a fully functional Java application because it has the entire Java API at its
TABLE OF CONTENTS...2 INTRODUCTION...3 APPLETS AND APPLICATIONS...3 JAVABEANS...4 EXCEPTION HANDLING...5 JAVA DATABASE CONNECTIVITY (JDBC)...
Advanced Features Trenton Computer Festival May 1 sstt & 2 n d,, 2004 Michael P.. Redlich Senior Research Technician ExxonMobil Research & Engineering [email protected] Table of Contents
Introduction to graphics and LCD technologies. NXP Product Line Microcontrollers Business Line Standard ICs
Introduction to graphics and LCD technologies NXP Product Line Microcontrollers Business Line Standard ICs Agenda Passive and active LCD technologies How LCDs work, STN and TFT differences How data is
C# and Other Languages
C# and Other Languages Rob Miles Department of Computer Science Why do we have lots of Programming Languages? Different developer audiences Different application areas/target platforms Graphics, AI, List
How To Program In Java (Ipt) With A Bean And An Animated Object In A Powerpoint (For A Powerbook)
Graphic Interface Programming II Applets and Beans and animation in Java IT Uppsala universitet Applets Small programs embedded in web pages
JAVA DEVELOPER S GUIDE TO ASPRISE SCANNING & IMAGE CAPTURE SDK
Technical Library JAVA DEVELOPER S GUIDE TO ASPRISE SCANNING & IMAGE CAPTURE SDK Version 10 Last updated on June, 2014 ALL RIGHTS RESERVED BY LAB ASPRISE! 1998, 2014. Table of Contents 1 INTRODUCTION...6
Web Development and Core Java Lab Manual V th Semester
Web Development and Core Java Lab Manual V th Semester DEPT. OF COMPUTER SCIENCE AND ENGINEERING Prepared By: Kuldeep Yadav Assistant Professor, Department of Computer Science and Engineering, RPS College
Introduction to Web Design Curriculum Sample
Introduction to Web Design Curriculum Sample Thank you for evaluating our curriculum pack for your school! We have assembled what we believe to be the finest collection of materials anywhere to teach basic
Simple Image File Formats
Chapter 2 Simple Image File Formats 2.1 Introduction The purpose of this lecture is to acquaint you with the simplest ideas in image file format design, and to get you ready for this week s assignment
ICT 6012: Web Programming
ICT 6012: Web Programming Covers HTML, PHP Programming and JavaScript Covers in 13 lectures a lecture plan is supplied. Please note that there are some extra classes and some cancelled classes Mid-Term
Introduction to Java
Introduction to Java The HelloWorld program Primitive data types Assignment and arithmetic operations User input Conditional statements Looping Arrays CSA0011 Matthew Xuereb 2008 1 Java Overview A high
SE 450 Object-Oriented Software Development. Requirements. Topics. Textbooks. Prerequisite: CSC 416
SE 450 Object-Oriented Software Development Instructor: Dr. Xiaoping Jia Office: CST 843 Tel: (312) 362-6251 Fax: (312) 362-6116 E-mail: [email protected] URL: http://se.cs.depaul.edu/se450/se450.html
Interactive Programs and Graphics in Java
Interactive Programs and Graphics in Java Alark Joshi Slide credits: Sami Rollins Announcements Lab 1 is due today Questions/concerns? SVN - Subversion Versioning and revision control system 1. allows
Using Style Sheets for Consistency
Cascading Style Sheets enable you to easily maintain a consistent look across all the pages of a web site. In addition, they extend the power of HTML. For example, style sheets permit specifying point
Lesson 1 Quiz. 3. The Internet is which type of medium? a. Passive b. Broadcast c. One-to-one d. Electronic print
Lesson 1 Quiz 1. Which technology trend in Web development can be defined as a group of XMLbased technologies that enable computers using different operating systems and software to easily exchange information
Visualizing an OrientDB Graph Database with KeyLines
Visualizing an OrientDB Graph Database with KeyLines Visualizing an OrientDB Graph Database with KeyLines 1! Introduction 2! What is a graph database? 2! What is OrientDB? 2! Why visualize OrientDB? 3!
The Web Web page Links 16-3
Chapter Goals Compare and contrast the Internet and the World Wide Web Describe general Web processing Write basic HTML documents Describe several specific HTML tags and their purposes 16-1 Chapter Goals
Please select one of the topics below.
Thanks for choosing WYSIWYG Web Builder! In this section we will give a short introduction to Web Builder so you can start building your web site in (almost) no time. Please select one of the topics below.
MassArt Studio Foundation: Visual Language Digital Media Cookbook, Fall 2013
INPUT OUTPUT 08 / IMAGE QUALITY & VIEWING In this section we will cover common image file formats you are likely to come across and examine image quality in terms of resolution and bit depth. We will cover
Visualizing a Neo4j Graph Database with KeyLines
Visualizing a Neo4j Graph Database with KeyLines Introduction 2! What is a graph database? 2! What is Neo4j? 2! Why visualize Neo4j? 3! Visualization Architecture 4! Benefits of the KeyLines/Neo4j architecture
Solomon Systech Image Processor for Car Entertainment Application
Company: Author: Piony Yeung Title: Technical Marketing Engineer Introduction Mobile video has taken off recently as a fun, viable, and even necessary addition to in-car entertainment. Several new SUV
Using the Adventist Framework with your netadventist Site
Using the Adventist Framework with your netadventist Site Introduction: The Adventist framework is available for everyone with a netadventist web site. Sites using this framework will visually identify
Instruction Set Architecture (ISA)
Instruction Set Architecture (ISA) * Instruction set architecture of a machine fills the semantic gap between the user and the machine. * ISA serves as the starting point for the design of a new machine
Examples. Pac-Man, Frogger, Tempest, Joust,
Examples Arcade Games Missile il Command, Space Invaders, Breakout, Centipede, Pac-Man, Frogger, Tempest, Joust, Important Traits: Easy-to-learn simple controls Move objects around the screen Single-screen
First Bytes Programming Lab 2
First Bytes Programming Lab 2 This lab is available online at www.cs.utexas.edu/users/scottm/firstbytes. Introduction: In this lab you will investigate the properties of colors and how they are displayed
How to develop your own app
How to develop your own app It s important that everything on the hardware side and also on the software side of our Android-to-serial converter should be as simple as possible. We have the advantage that
SiteOrigin WordPress Theme Pitch
SiteOrigin WordPress Theme Pitch By Greg Priday - http://siteorigin.com Thank you for downloading Pitch, my free WordPress theme. If you decided to purchase the premium version, then I d like to extend
Make your own Temple Run game
Make your own Temple Run game These instructions will talk you through how to make your own Temple Run game with your pupils. The game is made in Scratch, which can be downloaded here: http://scratch.mit.edu
Creating a Resume Webpage with
Creating a Resume Webpage with 6 Cascading Style Sheet Code In this chapter, we will learn the following to World Class CAD standards: Using a Storyboard to Create a Resume Webpage Starting a HTML Resume
Session 12 Evolving IT Architectures: From Mainframes to Client-Server to Network Computing
Session 12 Evolving IT Architectures: From Mainframes to Client- to Network Computing S. Madnick, 1998 12/ 1 Outline Stages of System Architectures Components: Data Management,, Mainframe era PC era Stages
Slide.Show Quick Start Guide
Slide.Show Quick Start Guide Vertigo Software December 2007 Contents Introduction... 1 Your first slideshow with Slide.Show... 1 Step 1: Embed the control... 2 Step 2: Configure the control... 3 Step 3:
Working with the BCC Clouds Generator
Working with the BCC Clouds Generator Clouds is a realistic clouds generator. The clouds can act as a Þlter on a layer or generate a sky with clouds and a horizon color. Three different types of clouds
An evaluation of JavaFX as 2D game creation tool
An evaluation of JavaFX as 2D game creation tool Abstract With the current growth in the user experience,and the existence of multiple publishing platforms, the investigation of new game creation tools
CS1112 Spring 2014 Project 4. Objectives. 3 Pixelation for Identity Protection. due Thursday, 3/27, at 11pm
CS1112 Spring 2014 Project 4 due Thursday, 3/27, at 11pm You must work either on your own or with one partner. If you work with a partner you must first register as a group in CMS and then submit your
c. Write a JavaScript statement to print out as an alert box the value of the third Radio button (whether or not selected) in the second form.
Practice Problems: These problems are intended to clarify some of the basic concepts related to access to some of the form controls. In the process you should enter the problems in the computer and run
Step by step guides. Deploying your first web app to your FREE Azure Subscription with Visual Studio 2015
Step by step guides Deploying your first web app to your FREE Azure Subscription with Visual Studio 2015 Websites are a mainstay of online activities whether you want a personal site for yourself or a
How to Add a Transparent Flash FLV movie to your Web Page Tutorial by R. Berdan Oct 16 2008
How to Add a Transparent Flash FLV movie to your Web Page Tutorial by R. Berdan Oct 16 2008 To do this tutorial you will need Flash 8 or higher, Dreamweaver 8 or higher. You will also need some movie clips
The Java Series. Java Essentials I What is Java? Basic Language Constructs. Java Essentials I. What is Java?. Basic Language Constructs Slide 1
The Java Series Java Essentials I What is Java? Basic Language Constructs Slide 1 What is Java? A general purpose Object Oriented programming language. Created by Sun Microsystems. It s a general purpose
WIRIS quizzes web services Getting started with PHP and Java
WIRIS quizzes web services Getting started with PHP and Java Document Release: 1.3 2011 march, Maths for More www.wiris.com Summary This document provides client examples for PHP and Java. Contents WIRIS
Introduction to Imagery and Raster Data in ArcGIS
Esri International User Conference San Diego, California Technical Workshops July 25, 2012 Introduction to Imagery and Raster Data in ArcGIS Simon Woo slides Cody Benkelman - demos Overview of Presentation
Comp 410/510. Computer Graphics Spring 2016. Introduction to Graphics Systems
Comp 410/510 Computer Graphics Spring 2016 Introduction to Graphics Systems Computer Graphics Computer graphics deals with all aspects of creating images with a computer Hardware (PC with graphics card)
CaptainCasa. CaptainCasa Enterprise Client. CaptainCasa Enterprise Client. Feature Overview
Feature Overview Page 1 Technology Client Server Client-Server Communication Client Runtime Application Deployment Java Swing based (JRE 1.6), generic rich frontend client. HTML based thin frontend client
MMGD0203 Multimedia Design MMGD0203 MULTIMEDIA DESIGN. Chapter 3 Graphics and Animations
MMGD0203 MULTIMEDIA DESIGN Chapter 3 Graphics and Animations 1 Topics: Definition of Graphics Why use Graphics? Graphics Categories Graphics Qualities File Formats Types of Graphics Graphic File Size Introduction
A Basic Summary of Image Formats
A Basic Summary of Image Formats Merciadri Luca [email protected] Abstract. We summarize here the most used image formats, and their respective principal applications. Keywords: image formats,
Chapter 3 Graphics and Image Data Representations
Chapter 3 Graphics and Image Data Representations 3.1 Graphics/Image Data Types 3.2 Popular File Formats 3.3 Further Exploration 1 Li & Drew c Prentice Hall 2003 3.1 Graphics/Image Data Types The number
Below is a diagram explaining the data packet and the timing related to the mouse clock while receiving a byte from the PS-2 mouse:
PS-2 Mouse: The Protocol: For out mini project we designed a serial port transmitter receiver, which uses the Baud rate protocol. The PS-2 port is similar to the serial port (performs the function of transmitting
PaperlessPrinter. Version 3.0. User s Manual
Version 3.0 User s Manual The User s Manual is Copyright 2003 RAREFIND ENGINEERING INNOVATIONS All Rights Reserved. 1 of 77 Table of Contents 1. 2. 3. 4. 5. Overview...3 Introduction...3 Installation...4
Last week we talked about creating your own tags: div tags and span tags. A div tag goes around other tags, e.g.,:
CSS Tutorial Part 2: Last week we talked about creating your own tags: div tags and span tags. A div tag goes around other tags, e.g.,: animals A paragraph about animals goes here
Assignment 2: Animated Transitions Due: Oct 12 Mon, 11:59pm, 2015 (midnight)
1 Assignment 2: Animated Transitions Due: Oct 12 Mon, 11:59pm, 2015 (midnight) Overview One of the things that make a visualization look polished is to add animation (animated transition) between each
EARTH PEOPLE TECHNOLOGY SERIAL GRAPH TOOL FOR THE ARDUINO UNO USER MANUAL
EARTH PEOPLE TECHNOLOGY SERIAL GRAPH TOOL FOR THE ARDUINO UNO USER MANUAL The Serial Graph Tool for the Arduino Uno provides a simple interface for graphing data to the PC from the Uno. It can graph up
MICROSOFT POWERPOINT STEP BY STEP GUIDE
IGCSE ICT SECTION 16 PRESENTATION AUTHORING MICROSOFT POWERPOINT STEP BY STEP GUIDE Mark Nicholls ICT Lounge Page 1 Contents Importing text to create slides Page 4 Manually creating slides.. Page 5 Removing
Tutorial: Building a Java applet
Tutorial: Building a Java applet Presented by developerworks, your source for great tutorials Table of Contents If you're viewing this document online, you can click any of the topics below to link directly
ICE: HTML, CSS, and Validation
ICE: HTML, CSS, and Validation Formatting a Recipe NAME: Overview Today you will be given an existing HTML page that already has significant content, in this case, a recipe. Your tasks are to: mark it
MASTERTAG DEVELOPER GUIDE
MASTERTAG DEVELOPER GUIDE TABLE OF CONTENTS 1 Introduction... 4 1.1 What is the zanox MasterTag?... 4 1.2 What is the zanox page type?... 4 2 Create a MasterTag application in the zanox Application Store...
Mail Programming Topics
Mail Programming Topics Contents Introduction 4 Organization of This Document 4 Creating Mail Stationery Bundles 5 Stationery Bundles 5 Description Property List 5 HTML File 6 Images 8 Composite Images
Note monitors controlled by analog signals CRT monitors are controlled by analog voltage. i. e. the level of analog signal delivered through the
DVI Interface The outline: The reasons for digital interface of a monitor the transfer from VGA to DVI. DVI v. analog interface. The principles of LCD control through DVI interface. The link between DVI
Fundamentals of Java Programming
Fundamentals of Java Programming This document is exclusive property of Cisco Systems, Inc. Permission is granted to print and copy this document for non-commercial distribution and exclusive use by instructors
Frames. In this chapter
Frames 2007 NOTES This article was originally published in 2003 as Chapter 12 of Learning Web Design, 2nd edition. Since the time of its publication, frames have become all but extinct, particularly for
Insight Student for Chromebooks - Auto Configuration
1 s - Auto Configuration Technical Paper Last modified: June 2015 Web: www.faronics.com Email: [email protected] Phone: 800-943-6422 or 604-637-3333 Fax: 800-943-6488 or 604-637-8188 Hours: Monday to
Part 1 Foundations of object orientation
OFWJ_C01.QXD 2/3/06 2:14 pm Page 1 Part 1 Foundations of object orientation OFWJ_C01.QXD 2/3/06 2:14 pm Page 2 1 OFWJ_C01.QXD 2/3/06 2:14 pm Page 3 CHAPTER 1 Objects and classes Main concepts discussed
CS170 Lab 11 Abstract Data Types & Objects
CS170 Lab 11 Abstract Data Types & Objects Introduction: Abstract Data Type (ADT) An abstract data type is commonly known as a class of objects An abstract data type in a program is used to represent (the
QNX Software Development Platform 6.6. Screen Graphics Subsystem Developer's Guide
QNX Software Development Platform 6.6 QNX Software Development Platform 6.6 Screen Graphics Subsystem Developer's Guide 2010 2014, QNX Software Systems Limited, a subsidiary of BlackBerry Limited. All
Fireworks 3 Animation and Rollovers
Fireworks 3 Animation and Rollovers What is Fireworks Fireworks is Web graphics program designed by Macromedia. It enables users to create any sort of graphics as well as to import GIF, JPEG, PNG photos
GPGPU Computing. Yong Cao
GPGPU Computing Yong Cao Why Graphics Card? It s powerful! A quiet trend Copyright 2009 by Yong Cao Why Graphics Card? It s powerful! Processor Processing Units FLOPs per Unit Clock Speed Processing Power
Chapter 1 Programming Languages for Web Applications
Chapter 1 Programming Languages for Web Applications Introduction Web-related programming tasks include HTML page authoring, CGI programming, generating and parsing HTML/XHTML and XML (extensible Markup
EPSON Perfection 2450 PHOTO. Scanner Parts. Scanner Specifications. Basic Specifications. US letter or A4 size (8.5 11.7 inches [216 297 mm])
Scanner Parts Start button power button (TPU) under lid IEEE 1394 port Scanner Specifications Basic Specifications Scanner type Photoelectric device Effective pixels USB port indicator light document cover
Graphic Design Basics. Shannon B. Neely. Pacific Northwest National Laboratory Graphics and Multimedia Design Group
Graphic Design Basics Shannon B. Neely Pacific Northwest National Laboratory Graphics and Multimedia Design Group The Design Grid What is a Design Grid? A series of horizontal and vertical lines that evenly
Bypassing Browser Memory Protections in Windows Vista
Bypassing Browser Memory Protections in Windows Vista Mark Dowd & Alexander Sotirov [email protected] [email protected] Setting back browser security by 10 years Part I: Introduction Thesis Introduction
THINKDIGITAL. ZOO Ad specifications
THINKDIGITAL ZOO Ad specifications Last update: 30/08/2012 Contents ZOO: Advertising Opportunities... 3 Large Rectangle 300x250... 3 Leaderboard 728x90... 4 Skyscraper 120x600... 5 Newsletter 520x210...
VESA BIOS Extension/Accelerator Functions (VBE/AF)
VBE/AF Standard Video Electronics Standards Association 860 Hillview Court, Suite 150 Phone: (408) 957-9270 Milpitas, CA 95035 FAX: (408) 957-9277 VESA BIOS Extension/Accelerator Functions (VBE/AF) Version:
Intel Modular Server System MFSYS25
Intel Modular Server System MFSYS25 Intel Modular Server Control OEM Branding December 5, 2007 Enterprise Platforms and Services Division 2 Intel Modular Server System MFSYS25 Intel Modular Server Control
TCP/IP Networking, Part 2: Web-Based Control
TCP/IP Networking, Part 2: Web-Based Control Microchip TCP/IP Stack HTTP2 Module 2007 Microchip Technology Incorporated. All Rights Reserved. Building Embedded Web Applications Slide 1 Welcome to the next
Lecture Notes, CEng 477
Computer Graphics Hardware and Software Lecture Notes, CEng 477 What is Computer Graphics? Different things in different contexts: pictures, scenes that are generated by a computer. tools used to make
Lab #8: Introduction to ENVI (Environment for Visualizing Images) Image Processing
Lab #8: Introduction to ENVI (Environment for Visualizing Images) Image Processing ASSIGNMENT: Display each band of a satellite image as a monochrome image and combine three bands into a color image, and
