Tutorial: Building a Java applet
|
|
|
- Annabella Harper
- 9 years ago
- Views:
Transcription
1 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 to that section. 1. Tutorial tips 2 2. Java, development, and applets 3 3. Loading and displaying images 9 4. Exceptions and MediaTracker class Offscreen image buffering Image rotation algorithm using copyarea Threading and animation Graphic output methods and applet parameters Wrapup 27 Tutorial: Building a Java applet Page 1
2 Section 1. Tutorial tips Should I take this tutorial? This tutorial walks you through the task of building a graphical Java applet. Along the way, you'll learn Java syntax and work with Java class libraries. It requires that you know some object-oriented programming. Navigation Navigating through the tutorial is easy: * Select Next and Previous to move forward and backward through the tutorial. * When you're finished with a section, select the next section. You can also use the Main and Section Menus to navigate the tutorial. * If you'd like to tell us what you think, or if you have a question for the author about the content of the tutorial, use the Feedback button. Tutorial: Building a Java applet Page 2
3 Section 2. Java, development, and applets Introduction This section describes the Java language, the development process, and what an applet is. After completing this section, you should be able to: * Describe the syntax of a Java class * Understand the basic structure of an applet and how it interacts with a Web browser * Code a simple Java applet source file * Write output to the system console * Code HTML to invoke an applet * Compile and execute a Java applet using the appletviewer Anatomy of a class Any Java source file (.java) has this physical structure: import statements; class definition { instance variable definitions; method definition (argumentlist) { local variable definitions statements; // end of method definition // more methods... // end of class definition A class is used to instantiate specific objects (each with possibly different values) in the heap. For example, the figure below shows help as an instance of class Button. Tutorial: Building a Java applet Page 3
4 Primitive and object variables Variables are represented on the stack as either: * A built-in primitive type (byte, short, int, long, char, float, double, or boolean) that uses value semantics int i = 42; /* i holds value (42) */ * An object type (extended from java.lang.object) that uses reference semantics (like a pointer) Button helpbutton = new Button("Help"); /* helpbutton is an object ref */ Lifetime of a variable A variable has a storage class, which sets its lifetime. * Local variables are local to a block of code, that is, allocated at entry to a block and discarded at exit. (A block of code can be either a class or a method.) * Instance variables are local to an object, that is, allocated when an object is instantiated and discarded when it is garbage-collected. * Class (static) variables are local to a class, that is, allocated when a class is loaded and discarded when it is unloaded. Static variables are not associated with objects and the classes they are defined in cannot be instantiated. An object (referred to by a variable) is marked for garbage collection when there are no references to it. Tutorial: Building a Java applet Page 4
5 C-like Java Most of the C programming language statements are present in the Java language: float sqrt(float value) { /* compute a square root badly! */ float guess; int loops; if (value <= 0) return 0; else guess = value/2; for (loops = 0; loops < 5; loops++) { guess = (guess + value /guess) /2; return guess; As well as if/else, for, and return, the Java language has C's while, do/while, and switch/case/default statements. Messages and object communication Objects use messages to communicate. Valid messages are represented by a public interface. Messages in Java correspond to method calls (invocations) in C. Messages must have a reference to the target object to send a message. /* Send help button a msg */ helpbutton.setenabled(false); If no object is specified, the current object (this) is assumed, for example, f() implies this.f(). Tutorial: Building a Java applet Page 5
6 Java development process The javac command compiles Java source code (.java) into bytecode (.class). These bytecodes are loaded and executed in the Java virtual machine (JVM), which is embeddable within other environments, such as Web browsers and operating systems. Displaying applets An applet is a Java program that is referenced by a Web page and runs inside a Java-enabled Web browser. An applet begins execution when an HTML page that "contains" it is loaded. Either a Java-enabled Web browser or the appletviewer is required to run an applet. The browser detects an applet by processing an Applet HTML tag, for example: <APPLET CODE=ImgJump WIDTH=300 HEIGHT=200> </APPLET> Tutorial: Building a Java applet Page 6
7 Web browser-to-applet interface This figure shows the browser-to-applet interface. Structure of a simple applet By inheriting from java.applet.applet, the necessary structure is defined to coordinate with a Web browser. Extends is the keyword in the Java language used to inherit classes. public class MyApplet extends java.applet.applet { public MyApplet( ) { //create applet System.out.println("In ctor"); public void init( ) { // initialize System.out.println("In init"); public void start( ) { // display page System.out.println("In start"); public void stop( ) { // leave page System.out.println("In stop"); public void destroy( ) {// clean up System.out.println("In destroy"); The init() method is run only when the applet first starts; start() is executed when the applet is displayed or refreshed. Note that standard out (or output for the println command) is sent to the console window if you are running within a browser or to a DOS window if you are running your applet from appletviewer via a DOS window. Tutorial: Building a Java applet Page 7
8 Activity: Basic applet and HTML using development tools Create a Panorama Applet class and HTML file. Override the init method and print out a trace message. Test and verify the message is printed. Here are the steps: 1. Create Panorama.java using a text editor. In the* file, add a public Panorama class and have it inherit from java.applet.applet. In the* class, add an init method that takes no arguments and returns void. In init, * issue System.out.println of "In Panorama.init". This provides a message when the method is invoked that traces the flow through the applet. Continue to add trace output to all methods you add to the applet. Save* the file and exit the editor. Your source code should look like this source code. 2. Compile using javac, and correct errors. 3. Create Panorama.html using a text editor. In Panorama.html, add an applet tag to invoke the Panorama.class with a width of 600 and a height of 130. Your file should look like this HTML file. 4. Save both your Java source file and HTML file in the same directory. 5. Run HTML using appletviewer. Did a blank frame appear, and did the line "In..." appear separately on the console? If it did, quit or close the appletviewer and continue with the tutorial. Tutorial: Building a Java applet Page 8
9 Section 3. Loading and displaying images Introduction This section describes how to load and display an image. After completing this section, you should be able to: * Describe what a Java package is * Import a package containing additional Java types * Declare a reference to an image object * Load an image in an applet * Code a paint method * Draw an image into a Graphics object Packages A package is a named group of classes for a common domain: java.lang, java.awt, java.util, java.io. Packages can be imported by other source files making the names available: import java.awt.*; // All classes import java.awt.image; // One class Explicit type name: java.awt.image i1; Implicit type name: import java.awt.*; Image i2; The java.lang package is automatically imported by the compiler. The java.lang package The java.lang package contains more than 20 classes, of which the most useful are System, String, and Math. It also contains the Thread class, the Runnable interface, and the various wrapping classes (such as Integer). * java.lang.system class provides the standard streams in, out, and err as public class variables. * java.lang.string class contains methods that provide functions similar to C's strxxx functions, including charat, compareto, concat, endswith equals, length, replace, startswith, substring, tolowercase, and trim. * java.lang.math class contains a number of mathematical methods such as abs, sin, cos, atan, max, min, log, random, and sqrt. It also contains E and PI as class constants (static final). Tutorial: Building a Java applet Page 9
10 Loading and drawing images The typical way to load images in Applets is via the getimage() method. Image getimage(url) // Absolute URL Image getimage(url, String) // Relative URL For example: Image img = getimage(getdocumentbase(), "x.gif"); This example returns a reference to an image object that is being asynchronously loaded. The getdocumentbase() method returns the address of the current Web site where the applet is being executed. The x.gif is the actual image being loaded After the image is loaded, you would typically render it to the screen in the Applet's paint method using the Graphics method. For example: g.drawimage(img, 0, 0, this); // img is the image that is drawn on the // screen in the 0, 0 position. Graphics class A Graphics object is usually only obtained as an argument to update and paint methods: public void update(graphics g) {... public void paint(graphics g) {... The Graphics class provides a set of drawing tools that include methods to draw: * rectangles (drawrect, fillrect) * ovals (drawoval, filloval) * arcs (drawarc, fillarc) * polygons (drawpolygon, fillpolygon) * rounded rectangles (drawroundrect, fillroundrect) * strings (drawstring) * images (drawimage) For example: g.drawimage(i, 0, 0, this); Tutorial: Building a Java applet Page 10
11 Simple applet that loads and draws Image <applet code=imgload width=300 height=200> </applet> import java.awt.*; public class ImgLoad extends java.applet.applet { Image i; public void init() { System.out.println("In init"); i = getimage(getdocumentbase(), "Test.gif"); public void paint(graphics g) { System.out.println("In paint"); int x = (int)(math.random() * size().width); int y = (int)(math.random() * size().height); g.drawimage(i, x, y, this); Simple page viewed by appletviewer Run the Image Jump Applet Tutorial: Building a Java applet Page 11
12 Activity: Load and display image In the init method, read in the image Panorama.gif. Override the paint method and draw the image along with a trace message. Test and verify the message is printed and the image is displayed. Here are the steps: 1. Above and outside the class, add an import of java.awt package at the start of the file. 2. In the class at the same level as the init method, make an instance variable, img, for the image to be loaded and drawn. Its class type is Image. 3. In init after the output statement, set this instance variable by calling Applet's getimage method. Pass it the getdocumentbase() and the string "Panorama.gif". 4. In the class beneath the init method, add a paint method. This method receives a Graphics object, g, as an argument. 5. In paint, output the tracing message "In Panorama.paint". 6. In paint, send the drawimage message to g object passing the image (img), x (0), y (0), and the Applet (this). 7. When you have completed these steps, your file should look like this source code. 8. Copy Panorama.gif from this file to the directory where you are storing your source. Compile and run. Did the image get displayed? Does the paint method get called multiple times? It should because the image is asynchronously loaded. Tutorial: Building a Java applet Page 12
13 Section 4. Exceptions and MediaTracker class Introduction This section describes handling exceptions and using the MediaTracker class to synchronize image loading. After completing this section, you should be able to: * Code try-catch blocks to handle exceptions * Code a MediaTracker to synchronize image loading Exceptions Run-time errors are called exceptions and are handled using try-catch: int i, j; i = 0; try { j = 3/i; System.out.println("j=" +j); catch (ArithmeticException e) { // handler e.printstacktrace(); System.out,println("Exception ' " + e + " 'raised - i must be zero"); At run time, this code will display and trace the message: "Exception 'java.lang.arithmetic: / by zero' raised - i must be zero" Using MediaTracker class The getimage method loads images asynchronously. This means that users can start interacting with a program before it's ready, or that early phases of animation don't look right because some images are not fully loaded. The MediaTracker class keeps track of the loading of images. Three key methods are: * addimage -- adds image to list of objects being tracked * checkall -- checks if all images have finished loading * waitforall -- blocks until all images are loaded Currently MediaTracker supports only images, not audio. Tutorial: Building a Java applet Page 13
14 Synchronous image loading import java.awt.*; import java.applet.*; public class ShowMedTrk extends Applet { Image i; public void init( ) { i = getimage( getdocumentbase( ), "Test.gif"); MediaTracker mt = new MediaTracker(this); mt.addimage(i,0); // add to group 0 try { mt.waitforall( ); catch(interruptedexception e) { e.printstacktrace( ); public void paint(graphics g) { g.drawimage(i, 0, 0, this); Activity: Add a media tracker At the end of the init method, create a media tracker, add the image to it, and wait for it to be loaded. Here are the steps: 1. In the class, make an instance variable, mt, that will reference a media tracker object. Its type is MediaTracker. 2. In init, after getting the image, create a new media tracker object passing in the Applet(this). 3. In init, after creating the media tracker, send to the media tracker the message addimage passing it the image (img) to be tracked, and put it in group In init, after adding the image, send to media tracker the message to wait for all images (in our case only one) to finish loading. 5. When you have completed these steps, your file should look like this source code. 6. Compile. Any errors? Was it from a missing exception? If so continue. Otherwise, fix your syntax errors. 7. Don't forget to add a try-catch to handle InterruptedException. In the catch, print out a trace of the execution stack using the exception's printstacktrace() method. 8. Compile and run. Did the image appear all at once (not incrementally)? Does the paint method now get called only once? It should because you are synchronously loading the image. Tutorial: Building a Java applet Page 14
15 Section 5. Offscreen image buffering Introduction This section describes offscreen image buffering. After completing this section, you should be able to: * Declare primitive integer local variables * Query the height and width of an image * Create an offscreen image buffer * Extract a Graphics object from an offscreen image * Draw an image into an offscreen image buffer * Draw an offscreen image buffer to the screen Offscreen image buffering It is important to show a smooth transition going from one image to another within an animation. (Animations will be discussed in detail in Section 7.) Double-buffering is a technique that helps you accomplish this. You would draw all of your images into an off-screen "buffer" and then copy the contents of the buffer to the screen all at once. This avoids the flickering that you might see with animations that don't use the off-screen buffering procedure. Images are simply erased and redrawn over and over again. The buffer is actually an off-screen Java Image object. Note that when you render into a Swing component, Swing automatically double-buffers the display. Tutorial: Building a Java applet Page 15
16 Image class and offscreen buffers An image's width and height can be queried: int iw = img.getwidth (null); int iw = img.getheight (null); Pre-render graphics into an offscreen image buffer and just draw it later as one operation: // Set up the off-screen image (buf) for // double-buffering buf = createimage (100,100); Graphics bufg = buf.getgraphics( ); // Draw into the off-screen buffer for (int i = 0; i < 50; i += 5) { bufg.setcolor(i % 10 == 0? Color.black : Color.white); bufg.fillrect(i, i, 100 -i * 2, i * 2) ; // Now copy the off-screen buffer onto the screen g.drawimage(buf,0,0,null); Tutorial: Building a Java applet Page 16
17 Activity: Begin the rotate algorithm and create a secondary image At the end of the init method, create a secondary image that has the same height as the original but with a width equal to the original's plus the amount to rotate (initially set to 100). Also draw the original image into the secondary image's graphics context. In the paint method, draw the newly filled secondary image onto the applet's display area. The same image should display, but now it is being drawn from the secondary buffer. Now you are ready to make it rotate. Here are the steps: 1. In the class, make instance variables for the original image's width (iw) and height (ih) as integers, another (secondary) image (buf) of type Image, its graphics context(bufg) of type Graphics and an integer shift amount (delta x) for rotating the image. Start the shift amount at 100 which should help you test the rotation algorithm. Later you will change this to be smaller, but for now make it In init, after the media tracker code, get the original Image's (img) width and height into two instance variables, iw and ih respectively. Pass in "null" to each method as its parameter (this shows there is no image observer). 3. In init, after waiting for the image to be fully loaded, create a secondary image using Applet's createimage. Pass into it two arguments: the extended width which includes the shift amount (iw + shift), and the height (ih). 4. In init next, get the secondary image's graphic context, bufg, using Image's getgraphics and put it in an instance variable. This will be used to draw into the secondary image in the next step. 5. In init, draw the original image into the secondary image using the secondary Graphic's context, bufg, and drawimage. Pass it the original image (img), x (0), y (0), and no image observer (null). 6. In paint, change the drawimage to now draw the secondary image (buf) into the original graphics context, g. 7. When you have completed these steps, your file should look like this source code. 8. Compile and run. The secondary image should display, which should look just the same as the previous activity. If so, continue to the next activity. 9. Is the applet area white? If so, go back and check your code. Make sure you draw the original image (img) into the secondary buffer's graphic context (bufg) in init and then later in paint you draw the secondary buffer's image into the original's graphics context (g). Tutorial: Building a Java applet Page 17
18 Section 6. Image rotation algorithm using copyarea Introduction This section describes the algorithm for rotating an image using the copyarea method of the Graphics class. After completing this section, you should be able to: * Code an advance method to incrementally rotate an image. * Use copyarea to move areas of pixels from one location to another. * Develop an image rotation algorithm. Image rotation algorithm overview 1. Create buffer with extension of N columns. 2. Shift image to the right N columns filling in the extension. 3. Wrap extension (N columns) back to the beginning of the image. 4. Display buffer (excluding extension). Graphics copying of image pixels A rectangle of image's pixels can be copied from one location to another using the Graphics class' copyarea method: Image i = createimage(iw, ih); Graphics gc = i.getgraphics(); gc.copyarea(x, y, w, h, dx, dy); Tutorial: Building a Java applet Page 18
19 Image rotation algorithm specifics Create a buffer with an extension of dx columns: i = createimage(iw + dx, ih); 1. Shift the image to the right dx pixels: gc.copyarea(0, 0, iw, ih, dx, 0); 2. Wrap the extension (of dx pixels) back to the beginning: gc.copyarea(iw, 0, dx, ih, -iw, 0); Activity: Complete the rotate algorithm using copyarea Add an advance method which will later be called to animate the image. In it, output a trace message then rotate the image by copying the image twice using copyarea. Test the advance method by calling it in the init method with the previously defined shift amount of 100. Verify that the image has been shifted by comparing it to output from the previous activity. Here are the steps: 1. In the class, add an advance method to the Applet. 2. In advance, add the standard tracing message. 3. In advance, copy the pixels in the secondary graphics context, bufg, and rotate the image. Call Graphic's copyarea twice to accomplish this. 4. In init, call advance (to test the shift algorithm). This will be removed in a later step, but will allow you test the shift algorithm now. 5. When you have completed these steps, your file should look like this source code. 6. Compile and run. Did the shifted image get displayed? You should see a slight visual discontinuity about one inch from the left side. Can you find it? 7. Verify that the image has been shifted by comparing it to output from the previous activity. Tutorial: Building a Java applet Page 19
20 Section 7. Threading and animation Introduction This section describes concurrency using threads and interfaces, and also describes how to deactivate a thread using its sleep method. After completing this section, you should be able to: * Create a thread and start it * Stop a thread and nullify the reference to it * Deactivate a thread using the sleep method Processes, threads, and activities On most computer processors, multiple processes execute multiple programs. A process encapsulates many things including: * Address space * Current state of the computation (machine registers, call stack, and so on) * A unit associated with allocation of resources (for example, open files) A process can have many threads. A thread embodies only the state (management) of an activity (aka lightweight processes). An activity is a sequence of operations (thread of control or flow of communication). Tutorial: Building a Java applet Page 20
21 Threads and runnable objects The java.lang.thread class is the base for all objects that can behave as threads. A Thread object is conceptually just an activity. Such an activity needs a focal point (that is, what code it needs to run). Each Thread needs a reference to a Runnable object whose run() method it will execute in. To facilitate this protocol, Java supplies a simple interface java.lang.runnable: public interface Runnable { public abstract void run( ) Roles as interfaces An interface encapsulates a coherent set of services and constants, for example, a role. An object, in order to participate in various relationships, needs to state that it fulfills a particular role with the implements keyword. public class X implements Runnable {... All methods inherited from an interface must be implemented (or redeclared as abstract). The implementation does not necessarily have to have any body code. public void run( ) {... A class can both extend one class and implement one or more interfaces. Tutorial: Building a Java applet Page 21
22 An applet as runnable Many times an applet will have one additional (usually continuous) activity, for example, an animation loop. In such cases it is quite likely the class will both extend Applet and implement Runnable: class ImgJump extends Applet implements Runnable { private Thread t; //... Its start method will create and start a thread: t = new Thread(this); t.start( ); Its stop method will stop and nullify the thread: if ( t!= null ) { t.stop( ); t = null; Basic animation Animation is the display of a series of pictures over time to give the illusion of motion. A basic computer animation loop consists of: * Advancing to the next picture (in an offscreen buffer) * Updating the screen by repainting it * Delaying for some period of time (typically 1/24 of a second for film or 1/30 of a second for video) For example: public void run( ) { while (true) { advance( ); // advance to the next frame repaint( ); // repaint the screen try { Thread.sleep(33); // delay catch(interruptedexception e) { Tutorial: Building a Java applet Page 22
23 Runnable applet with sleep public class ImgJump extends java.applet.applet implements Runnable { int x, y, Thread t; public void start( ) { t = new Thread(this); t.start( ); public void stop( ) { if (t!= null) { t.stop( ); t = null; public void run( ) { while(true) { x = (int) (Math.random()* size().width); y = (int) (Math.random()* size().height); repaint(); try{ Thread.sleep(2000); catch(interruptedexception e) { return; Activity: Threading and image animation Override the start method to create and start a thread. Make the Applet extend the Runnable interface and add a run method. Loop forever in the run method calling the advance method. Change the shift amount from 100 to 1. After the call to the advance method, delay the thread's execution for 200 milliseconds. Here are the steps: 1. In the class, add a start method to the applet (no need to add stop yet). In start, add the standard tracing method. 2. In the class, create a new instance variable, t, to hold a thread. 3. In start, create a new thread and start the thread. 4. Change the Applet to inherit from Runnable (implement Runnable). 5. In the class add a run method. Match the method specification found in Runnable. In run, add the standard tracing message. 6. In run, after the tracing message, add an infinite loop using while(true). This is your animation loop. 7. In the class, now reset the amount to shift to 1 (was 100). 8. In init, remove the invocation of advance and move it to within the run method's infinite loop. 9. In run, after the call to advance, add a call to Applet's repaint. In run, after the call to repaint, call Thread's sleep (a class method). Sleep the thread for 200 milliseconds. Don't forget to put a try-catch around it to handle the InterruptedException. If the exception occurs, print out an execution stack trace and return from the run method. 10. When you have completed these steps, your file should look like this source code. 11. Compile and test. Does the animation work? Does the image scroll? Tutorial: Building a Java applet Page 23
24 Section 8. Graphic output methods and applet parameters Introduction This section describes the repaint, update, and paint methods along with how they interact. After completing this section, you should be able to: * Describe the functionality of repaint, update and paint * Reduce flicker by overriding the update method and have it only call the paint method Graphic output threading The repaint, update, and paint methods These methods define graphics output: * Use the repaint(), paint(), and update() methods to generate graphic output. The default repaint indirectly invokes update. * The default update method clears the background (potential source of flicker) then calls paint. * The paint method draws the output. The paint method alone is called when old areas are re-exposed (for example, moving an obscured window). Tutorial: Building a Java applet Page 24
25 String class Strings are objects, defined using the Unicode character set (16-bit international character set). Strings are constructed from literals, char arrays, and byte arrays. They are bounds checked with a length() method. String s1 = "Testing"; int l = s1.length( ) Concatenation operations: String s2 = s1 + " 1 "; s2 += "2 3"; Comparison operations: if (s1 == s2) // Object reference check if (s1.equals(s2) ) // Contents check Note, when you are comparing values, you should use the.equals() method. Passing parameters to an applet Zero or more parameters (encoded as name-value string pairs) can be specified in the HTML using the PARAM tag: <APPLET CODE=ImgJump WIDTH=300 HEIGHT=200> <PARAM NAME=image VALUE="Test.gif"> </APPLET> An applet (in the init method) can access each PARAM tag by using the getparameter method. Specifying the NAME string returns the VALUE STRING. If the NAME string is not found, null is returned: String imgname = getparameter("image"); if (imgname == null)... // set default else... // decode or convert Tutorial: Building a Java applet Page 25
26 Activity: Display quality and parameterize Override the update method to only call the paint method and not clear the background. Comment out all trace messages. In the init method get and decode parameter for the image name. Here are the steps: 1. In all methods, comment out all debugging messages. 2. In the class, add (that is, override and replace) the Applet's update method and pass it a Graphics context, g. Have this method call paint and pass it the Graphics object, g. This will replace the default update method that clears the background and then calls paint. 3. In init, just before getting the image, use getparameter and get the parameter value for the GIF file name (set the local variable named imgname) using the parameter name of "image". If the value is null, then use "Panorama.gif". Modify the call to getimage that follows to pass in imgname. 4. When you have completed these steps, your file should look like this source code. 5. Modify your HTML file between the applet and end-applet tags and add a parameter (param) tag for the image name. Initially set this to the same value as your previously hardcoded values. Your HTML file should look like this HTML source. 6. Compile and run. Does the image flicker less? Does it scroll faster? Try reducing the sleep time to 1 and see what happens. Does it make you feel nauseated? 7. Try using a different image in your parameter tag. Be sure this image is in the same directory as all of your.class and.html files. Also, be sure to adjust the WIDTH and HEIGHT parameters in the APPLET tag to match the size of the image. Tutorial: Building a Java applet Page 26
27 Section 9. Wrapup Summary In this tutorial, we have introduced a type of Java program called a Java applet. Unlike a Java application that executes from a command window, an applet is a Java program that runs in a browser or in the appletviewer test utility. Now that you have completed this tutorial, you should have a thorough understanding of the basic features and syntax of an applet, as well as image techniques in your applet. From here, you may want to progress to more Java tutorials. Happy trails! Resources Here are some other tutorials for you to try: * Introduction to the Java Foundation Classes * Java language essentials This article provides a scenario for using Java applets in an educational setting: * A Walk in the Park Search for free applets from the Java Boutique. Your feedback Please let us know whether this tutorial was helpful to you and how we could make it better. We'd also like to hear about other tutorial topics you'd like to see covered. Thanks! Colophon This tutorial was written entirely in XML, using the developerworks Toot-O-Matic tutorial generator. The Toot-O-Matic tool is a short Java program that uses XSLT stylesheets to convert the XML source into a number of HTML pages, a zip file, JPEG heading graphics, and PDF files. Our ability to generate multiple text and binary formats from a single source file illustrates the power and flexibility of XML. Tutorial: Building a Java applet Page 27
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
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
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
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
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
Java Interview Questions and Answers
1. What is the most important feature of Java? Java is a platform independent language. 2. What do you mean by platform independence? Platform independence means that we can write and compile the java
Handout 1. Introduction to Java programming language. Java primitive types and operations. Reading keyboard Input using class Scanner.
Handout 1 CS603 Object-Oriented Programming Fall 15 Page 1 of 11 Handout 1 Introduction to Java programming language. Java primitive types and operations. Reading keyboard Input using class Scanner. Java
Crash Course in Java
Crash Course in Java Based on notes from D. Hollinger Based in part on notes from J.J. Johns also: Java in a Nutshell Java Network Programming and Distributed Computing Netprog 2002 Java Intro 1 What is
Free Java textbook available online. Introduction to the Java programming language. Compilation. A simple java program
Free Java textbook available online "Thinking in Java" by Bruce Eckel, 4th edition, 2006, ISBN 0131872486, Pearson Education Introduction to the Java programming language CS 4354 Summer II 2015 The third
Java 7 Recipes. Freddy Guime. vk» (,\['«** g!p#« Carl Dea. Josh Juneau. John O'Conner
1 vk» Java 7 Recipes (,\['«** - < g!p#«josh Juneau Carl Dea Freddy Guime John O'Conner Contents J Contents at a Glance About the Authors About the Technical Reviewers Acknowledgments Introduction iv xvi
Basic Java Constructs and Data Types Nuts and Bolts. Looking into Specific Differences and Enhancements in Java compared to C
Basic Java Constructs and Data Types Nuts and Bolts Looking into Specific Differences and Enhancements in Java compared to C 1 Contents Hello World Program Statements Explained Java Program Structure in
Debugging. Common Semantic Errors ESE112. Java Library. It is highly unlikely that you will write code that will work on the first go
Debugging ESE112 Java Programming: API, Psuedo-Code, Scope It is highly unlikely that you will write code that will work on the first go Bugs or errors Syntax Fixable if you learn to read compiler error
Free Java textbook available online. Introduction to the Java programming language. Compilation. A simple java program
Free Java textbook available online "Thinking in Java" by Bruce Eckel, 4th edition, 2006, ISBN 0131872486, Pearson Education Introduction to the Java programming language CS 4354 Summer II 2014 Jill Seaman
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
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
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
core. Volume I - Fundamentals Seventh Edition Sun Microsystems Press A Prentice Hall Title ULB Darmstadt
core. 2008 AGI-Information Management Consultants May be used for personal purporses only or by libraries associated to dandelon.com network. Volume I - Fundamentals Seventh Edition CAY S. HORSTMANN GARY
How To Write A Program For The Web In Java (Java)
21 Applets and Web Programming As noted in Chapter 2, although Java is a general purpose programming language that can be used to create almost any type of computer program, much of the excitement surrounding
www.virtualians.pk CS506 Web Design and Development Solved Online Quiz No. 01 www.virtualians.pk
CS506 Web Design and Development Solved Online Quiz No. 01 Which of the following is a general purpose container? JFrame Dialog JPanel JApplet Which of the following package needs to be import while handling
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
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
Performance Improvement In Java Application
Performance Improvement In Java Application Megha Fulfagar Accenture Delivery Center for Technology in India Accenture, its logo, and High Performance Delivered are trademarks of Accenture. Agenda Performance
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
java Features Version April 19, 2013 by Thorsten Kracht
java Features Version April 19, 2013 by Thorsten Kracht Contents 1 Introduction 2 1.1 Hello World................................................ 2 2 Variables, Types 3 3 Input/Output 4 3.1 Standard I/O................................................
Computing Concepts with Java Essentials
2008 AGI-Information Management Consultants May be used for personal purporses only or by libraries associated to dandelon.com network. Computing Concepts with Java Essentials 3rd Edition Cay Horstmann
AP Computer Science Java Subset
APPENDIX A AP Computer Science Java Subset The AP Java subset is intended to outline the features of Java that may appear on the AP Computer Science A Exam. The AP Java subset is NOT intended as an overall
Java Application Developer Certificate Program Competencies
Java Application Developer Certificate Program Competencies After completing the following units, you will be able to: Basic Programming Logic Explain the steps involved in the program development cycle
Java Programming Fundamentals
Lecture 1 Part I Java Programming Fundamentals Topics in Quantitative Finance: Numerical Solutions of Partial Differential Equations Instructor: Iraj Kani Introduction to Java We start by making a few
CS 111 Classes I 1. Software Organization View to this point:
CS 111 Classes I 1 Software Organization View to this point: Data Objects and primitive types Primitive types operators (+, /,,*, %). int, float, double, char, boolean Memory location holds the data Objects
1 The Java Virtual Machine
1 The Java Virtual Machine About the Spec Format This document describes the Java virtual machine and the instruction set. In this introduction, each component of the machine is briefly described. This
Building a Multi-Threaded Web Server
Building a Multi-Threaded Web Server In this lab we will develop a Web server in two steps. In the end, you will have built a multi-threaded Web server that is capable of processing multiple simultaneous
The Sun Certified Associate for the Java Platform, Standard Edition, Exam Version 1.0
The following applies to all exams: Once exam vouchers are purchased you have up to one year from the date of purchase to use it. Each voucher is valid for one exam and may only be used at an Authorized
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
Computer Programming I
Computer Programming I COP 2210 Syllabus Spring Semester 2012 Instructor: Greg Shaw Office: ECS 313 (Engineering and Computer Science Bldg) Office Hours: Tuesday: 2:50 4:50, 7:45 8:30 Thursday: 2:50 4:50,
Java CPD (I) Frans Coenen Department of Computer Science
Java CPD (I) Frans Coenen Department of Computer Science Content Session 1, 12:45-14:30 (First Java Programme, Inheritance, Arithmetic) Session 2, 14:45-16:45 (Input and Programme Constructs) Materials
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
Java from a C perspective. Plan
Java from a C perspective Cristian Bogdan 2D2052/ingint04 Plan Objectives and Book Packages and Classes Types and memory allocation Syntax and C-like Statements Object Orientation (minimal intro) Exceptions,
Outline of this lecture G52CON: Concepts of Concurrency
Outline of this lecture G52CON: Concepts of Concurrency Lecture 10 Synchronisation in Java Natasha Alechina School of Computer Science [email protected] mutual exclusion in Java condition synchronisation
How to test and debug an ASP.NET application
Chapter 4 How to test and debug an ASP.NET application 113 4 How to test and debug an ASP.NET application If you ve done much programming, you know that testing and debugging are often the most difficult
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
public static void main(string[] args) { System.out.println("hello, world"); } }
Java in 21 minutes hello world basic data types classes & objects program structure constructors garbage collection I/O exceptions Strings Hello world import java.io.*; public class hello { public static
Name: Class: Date: 9. The compiler ignores all comments they are there strictly for the convenience of anyone reading the program.
Name: Class: Date: Exam #1 - Prep True/False Indicate whether the statement is true or false. 1. Programming is the process of writing a computer program in a language that the computer can respond to
Java (12 Weeks) Introduction to Java Programming Language
Java (12 Weeks) Topic Lecture No. Introduction to Java Programming Language 1 An Introduction to Java o Java as a Programming Platform, The Java "White Paper" Buzzwords, Java and the Internet, A Short
WEEK 2 DAY 14. Writing Java Applets and Java Web Start Applications
WEEK 2 DAY 14 Writing Java Applets and Java Web Start Applications The first exposure of many people to the Java programming language is in the form of applets, small and secure Java programs that run
The Java Virtual Machine and Mobile Devices. John Buford, Ph.D. [email protected] Oct 2003 Presented to Gordon College CS 311
The Java Virtual Machine and Mobile Devices John Buford, Ph.D. [email protected] Oct 2003 Presented to Gordon College CS 311 Objectives Review virtual machine concept Introduce stack machine architecture
CSE 452: Programming Languages. Acknowledgements. Contents. Java and its Evolution
CSE 452: Programming Languages Java and its Evolution Acknowledgements Rajkumar Buyya 2 Contents Java Introduction Java Features How Java Differs from other OO languages Java and the World Wide Web Java
JAVA - QUICK GUIDE. Java SE is freely available from the link Download Java. So you download a version based on your operating system.
http://www.tutorialspoint.com/java/java_quick_guide.htm JAVA - QUICK GUIDE Copyright tutorialspoint.com What is Java? Java is: Object Oriented Platform independent: Simple Secure Architectural- neutral
Topics. Introduction. Java History CS 146. Introduction to Programming and Algorithms Module 1. Module Objectives
Introduction to Programming and Algorithms Module 1 CS 146 Sam Houston State University Dr. Tim McGuire Module Objectives To understand: the necessity of programming, differences between hardware and software,
Enterprise Java. Where, How, When (and When Not) to Apply Java in Client/Server Business Environments. Jeffrey Savit Sean Wilcox Bhuvana Jayaraman
Enterprise Java Where, How, When (and When Not) to Apply Java in Client/Server Business Environments Jeffrey Savit Sean Wilcox Bhuvana Jayaraman McGraw-Hill j New York San Francisco Washington, D.C. Auckland
1.00 Lecture 1. Course information Course staff (TA, instructor names on syllabus/faq): 2 instructors, 4 TAs, 2 Lab TAs, graders
1.00 Lecture 1 Course Overview Introduction to Java Reading for next time: Big Java: 1.1-1.7 Course information Course staff (TA, instructor names on syllabus/faq): 2 instructors, 4 TAs, 2 Lab TAs, graders
Chapter 2: Elements of Java
Chapter 2: Elements of Java Basic components of a Java program Primitive data types Arithmetic expressions Type casting. The String type (introduction) Basic I/O statements Importing packages. 1 Introduction
Web Programming Step by Step
Web Programming Step by Step Lecture 13 Introduction to JavaScript Reading: 7.1-7.4 Except where otherwise noted, the contents of this presentation are Copyright 2009 Marty Stepp and Jessica Miller. Client-side
Java the UML Way: Integrating Object-Oriented Design and Programming
Java the UML Way: Integrating Object-Oriented Design and Programming by Else Lervik and Vegard B. Havdal ISBN 0-470-84386-1 John Wiley & Sons, Ltd. Table of Contents Preface xi 1 Introduction 1 1.1 Preliminaries
Chapter 2 Introduction to Java programming
Chapter 2 Introduction to Java programming 1 Keywords boolean if interface class true char else package volatile false byte final switch while throws float private case return native void protected break
E-mail Listeners. E-mail Formats. Free Form. Formatted
E-mail Listeners 6 E-mail Formats You use the E-mail Listeners application to receive and process Service Requests and other types of tickets through e-mail in the form of e-mail messages. Using E- mail
Object Oriented Software Design
Object Oriented Software Design Introduction to Java - II Giuseppe Lipari http://retis.sssup.it/~lipari Scuola Superiore Sant Anna Pisa September 14, 2011 G. Lipari (Scuola Superiore Sant Anna) Introduction
Oracle Service Bus Examples and Tutorials
March 2011 Contents 1 Oracle Service Bus Examples... 2 2 Introduction to the Oracle Service Bus Tutorials... 5 3 Getting Started with the Oracle Service Bus Tutorials... 12 4 Tutorial 1. Routing a Loan
VIRTUAL LABORATORY: MULTI-STYLE CODE EDITOR
VIRTUAL LABORATORY: MULTI-STYLE CODE EDITOR Andrey V.Lyamin, State University of IT, Mechanics and Optics St. Petersburg, Russia Oleg E.Vashenkov, State University of IT, Mechanics and Optics, St.Petersburg,
Programming in C# with Microsoft Visual Studio 2010
Course 10266A: Programming in C# with Microsoft Visual Studio 2010 Course Details Course Outline Module 1: Introducing C# and the.net Framework This module explains the.net Framework, and using C# and
JAVA - MULTITHREADING
JAVA - MULTITHREADING http://www.tutorialspoint.com/java/java_multithreading.htm Copyright tutorialspoint.com Java is amulti threaded programming language which means we can develop multi threaded program
Object-Oriented Design Lecture 4 CSU 370 Fall 2007 (Pucella) Tuesday, Sep 18, 2007
Object-Oriented Design Lecture 4 CSU 370 Fall 2007 (Pucella) Tuesday, Sep 18, 2007 The Java Type System By now, you have seen a fair amount of Java. Time to study in more depth the foundations of the language,
Tutorial Reference Manual. Java WireFusion 4.1
Tutorial Reference Manual Java WireFusion 4.1 Contents INTRODUCTION...1 About this Manual...2 REQUIREMENTS...3 User Requirements...3 System Requirements...3 SHORTCUTS...4 DEVELOPMENT ENVIRONMENT...5 Menu
language 1 (source) compiler language 2 (target) Figure 1: Compiling a program
CS 2112 Lecture 27 Interpreters, compilers, and the Java Virtual Machine 1 May 2012 Lecturer: Andrew Myers 1 Interpreters vs. compilers There are two strategies for obtaining runnable code from a program
ODBC Client Driver Help. 2015 Kepware, Inc.
2015 Kepware, Inc. 2 Table of Contents Table of Contents 2 4 Overview 4 External Dependencies 4 Driver Setup 5 Data Source Settings 5 Data Source Setup 6 Data Source Access Methods 13 Fixed Table 14 Table
CS 141: Introduction to (Java) Programming: Exam 1 Jenny Orr Willamette University Fall 2013
Oct 4, 2013, p 1 Name: CS 141: Introduction to (Java) Programming: Exam 1 Jenny Orr Willamette University Fall 2013 1. (max 18) 4. (max 16) 2. (max 12) 5. (max 12) 3. (max 24) 6. (max 18) Total: (max 100)
Event processing in Java: what happens when you click?
Event processing in Java: what happens when you click? Alan Dix In the HCI book chapter 8 (fig 8.5, p. 298), notification-based user interface programming is described. Java uses this paradigm and you
Xcode User Default Reference. (Legacy)
Xcode User Default Reference (Legacy) Contents Introduction 5 Organization of This Document 5 Software Version 5 See Also 5 Xcode User Defaults 7 Xcode User Default Overview 7 General User Defaults 8 NSDragAndDropTextDelay
Creating a Simple, Multithreaded Chat System with Java
Creating a Simple, Multithreaded Chat System with Java Introduction by George Crawford III In this edition of Objective Viewpoint, you will learn how to develop a simple chat system. The program will demonstrate
Introduction to Java Applications. 2005 Pearson Education, Inc. All rights reserved.
1 2 Introduction to Java Applications 2.2 First Program in Java: Printing a Line of Text 2 Application Executes when you use the java command to launch the Java Virtual Machine (JVM) Sample program Displays
Syllabus for CS 134 Java Programming
- Java Programming Syllabus Page 1 Syllabus for CS 134 Java Programming Computer Science Course Catalog 2000-2001: This course is an introduction to objectoriented programming using the Java language.
Glossary of Object Oriented Terms
Appendix E Glossary of Object Oriented Terms abstract class: A class primarily intended to define an instance, but can not be instantiated without additional methods. abstract data type: An abstraction
Object Oriented Software Design
Object Oriented Software Design Introduction to Java - II Giuseppe Lipari http://retis.sssup.it/~lipari Scuola Superiore Sant Anna Pisa October 28, 2010 G. Lipari (Scuola Superiore Sant Anna) Introduction
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
Java Crash Course Part I
Java Crash Course Part I School of Business and Economics Institute of Information Systems HU-Berlin WS 2005 Sebastian Kolbe [email protected] Overview (Short) introduction to the environment Linux
JAVA IN A NUTSHELL O'REILLY. David Flanagan. Fifth Edition. Beijing Cambridge Farnham Köln Sebastopol Tokyo
JAVA 1i IN A NUTSHELL Fifth Edition David Flanagan O'REILLY Beijing Cambridge Farnham Köln Sebastopol Tokyo Table of Contents Preface xvii Part 1. Introducing Java 1. Introduction 1 What 1s Java? 1 The
Storage Classes CS 110B - Rule Storage Classes Page 18-1 \handouts\storclas
CS 110B - Rule Storage Classes Page 18-1 Attributes are distinctive features of a variable. Data type, int or double for example, is an attribute. Storage class is another attribute. There are four storage
Introduction to Java. CS 3: Computer Programming in Java
Introduction to Java CS 3: Computer Programming in Java Objectives Begin with primitive data types Create a main class with helper methods Learn how to call built-in class methods and instance methods
Lecture 5: Java Fundamentals III
Lecture 5: Java Fundamentals III School of Science and Technology The University of New England Trimester 2 2015 Lecture 5: Java Fundamentals III - Operators Reading: Finish reading Chapter 2 of the 2nd
CS1020 Data Structures and Algorithms I Lecture Note #1. Introduction to Java
CS1020 Data Structures and Algorithms I Lecture Note #1 Introduction to Java Objectives Java Basic Java features C Java Translate C programs in CS1010 into Java programs 2 References Chapter 1 Section
Java Virtual Machine Locks
Java Virtual Machine Locks SS 2008 Synchronized Gerald SCHARITZER (e0127228) 2008-05-27 Synchronized 1 / 13 Table of Contents 1 Scope...3 1.1 Constraints...3 1.2 In Scope...3 1.3 Out of Scope...3 2 Logical
Lecture 1 Introduction to Android
These slides are by Dr. Jaerock Kwon at. The original URL is http://kettering.jrkwon.com/sites/default/files/2011-2/ce-491/lecture/alecture-01.pdf so please use that instead of pointing to this local copy
Specialized Android APP Development Program with Java (SAADPJ) Duration 2 months
Specialized Android APP Development Program with Java (SAADPJ) Duration 2 months Our program is a practical knowledge oriented program aimed at making innovative and attractive applications for mobile
VB.NET Programming Fundamentals
Chapter 3 Objectives Programming Fundamentals In this chapter, you will: Learn about the programming language Write a module definition Use variables and data types Compute with Write decision-making statements
Visual Basic. murach's TRAINING & REFERENCE
TRAINING & REFERENCE murach's Visual Basic 2008 Anne Boehm lbm Mike Murach & Associates, Inc. H 1-800-221-5528 (559) 440-9071 Fax: (559) 440-0963 [email protected] www.murach.com Contents Introduction
Effective Java Programming. measurement as the basis
Effective Java Programming measurement as the basis Structure measurement as the basis benchmarking micro macro profiling why you should do this? profiling tools Motto "We should forget about small efficiencies,
Introduction to Eclipse
Introduction to Eclipse Overview Eclipse Background Obtaining and Installing Eclipse Creating a Workspaces / Projects Creating Classes Compiling and Running Code Debugging Code Sampling of Features Summary
RARITAN VALLEY COMMUNITY COLLEGE ACADEMIC COURSE OUTLINE. CISY 105 Foundations of Computer Science
I. Basic Course Information RARITAN VALLEY COMMUNITY COLLEGE ACADEMIC COURSE OUTLINE CISY 105 Foundations of Computer Science A. Course Number and Title: CISY-105, Foundations of Computer Science B. New
Tutorial: Getting Started
9 Tutorial: Getting Started INFRASTRUCTURE A MAKEFILE PLAIN HELLO WORLD APERIODIC HELLO WORLD PERIODIC HELLO WORLD WATCH THOSE REAL-TIME PRIORITIES THEY ARE SERIOUS SUMMARY Getting started with a new platform
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
C++ INTERVIEW QUESTIONS
C++ INTERVIEW QUESTIONS http://www.tutorialspoint.com/cplusplus/cpp_interview_questions.htm Copyright tutorialspoint.com Dear readers, these C++ Interview Questions have been designed specially to get
C Compiler Targeting the Java Virtual Machine
C Compiler Targeting the Java Virtual Machine Jack Pien Senior Honors Thesis (Advisor: Javed A. Aslam) Dartmouth College Computer Science Technical Report PCS-TR98-334 May 30, 1998 Abstract One of the
Hypercosm. Studio. www.hypercosm.com
Hypercosm Studio www.hypercosm.com Hypercosm Studio Guide 3 Revision: November 2005 Copyright 2005 Hypercosm LLC All rights reserved. Hypercosm, OMAR, Hypercosm 3D Player, and Hypercosm Studio are trademarks
Unit 6. Loop statements
Unit 6 Loop statements Summary Repetition of statements The while statement Input loop Loop schemes The for statement The do statement Nested loops Flow control statements 6.1 Statements in Java Till now
The BSN Hardware and Software Platform: Enabling Easy Development of Body Sensor Network Applications
The BSN Hardware and Software Platform: Enabling Easy Development of Body Sensor Network Applications Joshua Ellul [email protected] Overview Brief introduction to Body Sensor Networks BSN Hardware
We automatically generate the HTML for this as seen below. Provide the above components for the teaser.txt file.
Creative Specs Gmail Sponsored Promotions Overview The GSP creative asset will be a ZIP folder, containing four components: 1. Teaser text file 2. Teaser logo image 3. HTML file with the fully expanded
Week 1: Review of Java Programming Basics
Week 1: Review of Java Programming Basics Sources: Chapter 2 in Supplementary Book (Murach s Java Programming) Appendix A in Textbook (Carrano) Slide 1 Outline Objectives A simple Java Program Data-types
Using Impatica for Power Point
Using Impatica for Power Point What is Impatica? Impatica is a tool that will help you to compress PowerPoint presentations and convert them into a more efficient format for web delivery. Impatica for
