Performance Testing. Based on slides created by Marty Stepp
|
|
|
- Cecilia Holland
- 10 years ago
- Views:
Transcription
1 Performance Testing Based on slides created by Marty Stepp
2 Acceptance, performance acceptance testing: System is shown to the user / client / customer to make sure that it meets their needs. A form of black-box system testing Performance is important. Performance is a major aspect of program acceptance by users. Your intuition about what's slow is often wrong. 2
3 What's wrong with this? (1) public class BuildBigString { public final static int REPS = 80000; // Builds/returns a big, important string. public static String makestring() { String str = ""; for (int n = 0; n < REPS; n++) { str += "more"; return str; public static void main(string[] args) { System.out.println(makeString()); 3
4 What's wrong with this? (2) public class Fibonacci { public static void main(string[] args) { // print the first Fibonacci numbers for (int i = 1; i <= 10000; i++) { System.out.println(fib(i)); // pre: n >= 1 public static long fib(int n) { if (n <= 2) { return 1; else { return fib(n - 2) + fib(n - 1); 4
5 What's wrong with this? (3) public class WordDictionary { // The set of words in our game. List<String> words = new ArrayList<String>(); public void add(string word) { words.add(word.tolowercase()); public boolean contains(string word) { for (String s : words) { if (s.tolowercase().equals(word)) { return true; return false; 5
6 What's wrong with this? (4) public class BankManager { public static void main(string[] args) { Account[] a = Account.getAll(); for (int i = 0; i < Math.sqrt(895732); i++) { a[i].loadtaxdata(); if (a.meetscomplextaxcode(2020)) { a[i].filetaxes(4 * 4096 * 17); Account[] a2 = Account.getAll(); for (int i = 0; i < Math.sqrt(895732); i++) { if (a.meetscomplextaxcode(2020)) { a2[i].settaxrule(4 * 4096 * 17); a2[i].save(new File(a2.getName())); 6
7 The correct answers 1. Who cares? 2. Who cares? 3. Who cares? 4. Who cares? "We should forget about small efficiencies, say about 97% of the time: premature optimization is the root of all evil." -- Donald Knuth "We follow two rules in the matter of optimization: 1. Don't do it. 2. (for experts only) Don't do it yet." -- M. A. Jackson 7
8 Thinking about performance The app is only too slow if it doesn't meet your project's stated performance requirements. If it meets them, DON'T optimize it! Which is more important, fast code or correct code? What are reasonable performance requirements? What are the user's expectations? How slow is "acceptable" for this portion of the application? How long do users wait for a web page to load? Some tasks (admin updates database) can take longer 8
9 Optimization myths Myth: You should optimize your code as you write it. No; makes code ugly, possibly incorrect, and not always faster. Optimize later, only as needed. Myth: Having a fast program is as important as a correct one. If it doesn't work, it doesn't matter how fast it's running! Myth: Certain operations are inherently faster than others. x << 1 is faster to compute than x * 2? This depends on many factors, such as language used. Don't write ugly code on the assumption that it will be faster. Myth: A program with fewer lines of code is faster. 9
10 Perceived performance "My app feels too slow. What should I do?" possibly optimize it And/or improve the app's perceived performance perceived performance: User's perception of your app's responsiveness. factors affecting perceived performance: loading screens multi-threaded UIs (GUI doesn't stall while something is happening in the background) 10
11 Optimization metrics runtime / CPU usage what lines of code the program is spending the most time in what call/invocation paths were used to get to these lines naturally represented as tree structures memory usage what kinds of objects are on the heap where were they allocated who is pointing to them now "memory leaks" (does Java have these?) web page load times, requests/minute, etc. 11
12 Benchmarking, optimization benchmarking: Measuring the absolute performance of your app on a particular platform (coarse-grained measurement). optimization: Refactoring and enhancing to speed up code. I/O routines accessing the console (print statements) files, network access, database queries exec() / system calls Lazy evaluation saves you from computing/loading don't read / compute things until you need them Hashing, caching save you from reloading resources combine multiple database queries into one query save I/O / query results in memory for later 12
13 Optimizing memory access Non-contiguous memory access (bad): for (int col = 0; col < NUM_COLS; col++) { for (int row = 0; row < NUM_ROWS; row++) { table[row][column] = bulkymethodcall(); Contiguous memory access (good): for (int row = 0; row < NUM_ROWS; row++) { for (int col = 0; col < NUM_COLS; col++) { table[row][column] = bulkymethodcall(); switches rows NUM_ROWS times, not NUM_ROWS * NUM_COLS 13
14 Optimizing data structures Take advantage of hash-based data structures searching an ArrayList (contains, indexof) is O(N) searching a HashMap/HashSet is O(1) Getting around limitations of hash data structures need to keep elements in sorted order? Use TreeMap/TreeSet need to keep elements in insertion order? Use LinkedHashSet 14
15 Avoiding computations Stop computing when you know the answer: found = false; for (i = 0; i < reallybignumber; i++) { if (inputs[i].istheoneiwant()) { found = true; break; Hoist expensive loop-invariant code outside the loop: double taxthreshold = reallyslowtaxfunction(); for (i = 0; i < reallybignumber; i++) { accounts[i].applytax(taxthreshold); 15
16 Lookup tables Figuring out the number of days in a month: if (m == 9 m == 4 m == 6 m == 11) { return 30; else if (month == 2) { return 28; else { return 31; Days in a month, using a lookup table: DAYS_PER_MONTH = {-1, 31, 28, 31, 30, 31, 30,..., 31;... return DAYS_PER_MONTH[month]; Probably not worth the speedup with this particular example... 16
17 Optimization is deceptive int sum = 0; for (int row = 0; row < NUM_ROWS; row++) { for (int col = 0; col < NUM_COLS; col++) { sum += matrix[row][column]; Optimized code: int sum = 0; Cell* p = matrix; Cell* end = &matrix[num_rows - 1][NUM_COLS - 1]; while (p!= end) { sum += *p++; Speed-up observed: NONE. Compiler was already optimizing the original into the second! 17
18 Dynamic programming public static boolean isprime(int n) { double sqrt = Math.sqrt(n); for (int i = 2; i <= sqrt; i++) if (n % i == 0) { return false; return true; dynamic programming: Caching previous results. private static Map<Integer, Boolean> PRIME =...; public static boolean isprime2(int n) { if (!PRIME.containsKey(n)) PRIME.put(n, isprime(n)); return PRIME.get(n); 18
19 Optimization tips Pareto Principle, aka the "80-20 Rule" 80% of a program's execution occurs within 20% of its code. You can get 80% results with 20% of the work. "The best is the enemy of the good." You don't need to optimize all your app's code. Find the worst bottlenecks and fix them. Leave the rest. 19
20 Profiling profiling: Measuring relative system statistics (fine-grained). Where is the most time being spent? ("classical" profiling) Which method takes the most time? Which method is called the most? How is memory being used? What kind of objects are being created? This in especially applicable in OO, GCed environments. Profiling is not the same as benchmarking or optimizing. 20
21 Types of profiling insertion: placing special profiling code into your program (manually or automatically) pros: can be used across a variety of platforms; accurate cons: requires recompiling; profiling code may affect performance sampling: monitoring CPU or VM at regular intervals and saving a snapshot of CPU and/or memory state pros: no modification of app is necessary cons: less accurate; varying sample interval leads to a time/ accuracy trade-off; small methods may be missed; cannot easily monitor memory usage 21
22 Android Traceview Traceview: Debug class generates *.trace files to be viewed Debug.startMethodTracing();... Debug.stopMethodTracing(); timeline panel: describes when each thread/method start/stops profile panel: summary of what happened inside a method 22
23 Android profiling DDMS Dalvik Debug Monitor Server (DDMS): Eclipse: Window Open Perspective Other... DDMS console: run ddms from tools/ directory On Devices tab, select process that you want to profile Click Start Method Profiling Interact with application to run and profile its code. 23
24 Java profiling tools Many free Java profiling/optimization tools available: TPTP profiler extension for Eclipse Extensible Java Profiler (EJP) - open source, CPU tracing only Eclipse Profiler plugin Java Memory Profiler (JMP) Mike's Java Profiler (MJP) JProbe Profiler - uses an instrumented VM hprof (java -Xrunhprof) comes with JDK from Sun, free good enough for anything I've ever needed 24
25 Using hprof usage: java -Xrunhprof:[help] [<option>=<value>,...] Option Name and Value Description Default heap=dump sites all heap profiling all cpu=samples times old CPU usage off monitor=y n monitor contention n format=a b text(txt) or binary output a file=<file> write data to file off depth=<size> stack trace depth 4 interval=<ms> sample interval in ms 10 cutoff=<value> output cutoff point lineno=y n line number in traces? Y thread=y n thread in traces? N doe=y n dump on exit? Y msa=y n Solaris micro state accounting n force=y n force output to <file> y verbose=y n print messages about dumps y 25
26 Sample hprof usage java -Xrunhprof:cpu=samples,depth=6,heap=sites or java -Xrunhprof:cpu=old,thread=y,depth=10,cutoff=0,format=a ClassName Takes samples of CPU execution Record call traces that include the last 6/10 levels on the stack Only record "sites" used on heap (to keep output file small) java -Xrunhprof ClassName Takes samples of memory/object usage After execution, open the text file java.hprof.txt in the current directory with a text editor 26
27 hprof visualization tools CPU samples critical to see traces to modify code hard to read - far from the traces in the file HPjmeter analyzes java.hprof.txt visually another good tool called PerfAnal builds and navigates the invocation tree download PerfAnal.jar, and: java -jar PerfAnal.jar./java.hprof.txt Heap dump critical to see what objects are there, and who points to them HPjmeter or HAT: 27
28 TPTP a free extension to Eclipse for Java profiling easier to interpret than raw hprof results has add-ons for profiling web applications (J2EE) 28
29 Profiler results What to do with profiler results: observe which methods are being called the most These may not necessarily be the "slowest" methods! observe which methods are taking most time relative to others Warnings CPU profiling slows down your code (a lot) design your profiling tests to be very short CPU samples don't measure everything doesn't record object creation and garbage collection time Output files are very large, esp. if there is a heap dump 29
30 Garbage collection garbage collector: A memory manager that reclaims objects that are not reachable from a root-set root set: all objects with an immediate reference all reference variables in each frame of every thread's stack all static reference fields in all loaded classes Size Heap Size GC GC GC GC GC Total size of reachable objects Total size of allocated objects Time 30
31 Profiling Web languages HTML/CSS YSlow: JavaScript Firebug: Ruby on Rails ruby-prof: ruby-prof --printer=graph_html --file=myoutput.html myscript.rb JSP x.link: PHP Xdebug: 31
32 JavaScript optimization JavaScript is ~1000x slower than C code. Modifying a page using the DOM can be expensive. var ul = document.getelementbyid("myul"); for (var i = 0; i < 2000; i++) { ul.appendchild(document.createelement("li")); Faster code that modifies DOM objects "offline": var ul = document.getelementbyid("myul"); var li = document.createelement("li"); var parent = ul.parentnode; parent.removechild(ul); for (var i = 0; i < 2000; i++) { ul.appendchild(li.clonenode(true)); parent.appendchild(ul); 32
CSE 403. Performance Profiling Marty Stepp
CSE 403 Performance Profiling Marty Stepp 1 How can we optimize it? public static String makestring() { String str = ""; for (int n = 0; n < REPS; n++) { str += "more"; } return str; } 2 How can we optimize
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,
Zing Vision. Answering your toughest production Java performance questions
Zing Vision Answering your toughest production Java performance questions Outline What is Zing Vision? Where does Zing Vision fit in your Java environment? Key features How it works Using ZVRobot Q & A
Mobile Performance Management Tools Prasanna Gawade, Infosys April 2014
Mobile Performance Management Tools Prasanna Gawade, Infosys April 2014 Computer Measurement Group, India 1 Contents Introduction Mobile Performance Optimization Developer Tools Purpose and Overview Mobile
Trace-Based and Sample-Based Profiling in Rational Application Developer
Trace-Based and Sample-Based Profiling in Rational Application Developer This document is aimed at highlighting the importance of profiling in software development and talks about the profiling tools offered
THE BUSY DEVELOPER'S GUIDE TO JVM TROUBLESHOOTING
THE BUSY DEVELOPER'S GUIDE TO JVM TROUBLESHOOTING November 5, 2010 Rohit Kelapure HTTP://WWW.LINKEDIN.COM/IN/ROHITKELAPURE HTTP://TWITTER.COM/RKELA Agenda 2 Application Server component overview Support
NetBeans Profiler is an
NetBeans Profiler Exploring the NetBeans Profiler From Installation to a Practical Profiling Example* Gregg Sporar* NetBeans Profiler is an optional feature of the NetBeans IDE. It is a powerful tool that
Ulf Hermann. October 8, 2014 / Qt Developer Days 2014. The Qt Company. Using The QML Profiler. Ulf Hermann. Why? What? How To. Examples.
Using The QML The Qt Company October 8, 2014 / Qt Developer Days 2014 1/28 Outline 1 Reasons for Using a Specialized for Qt Quick 2 The QML 3 Analysing Typical Problems 4 Live of Profiling and Optimization
A Practical Method to Diagnose Memory Leaks in Java Application Alan Yu
A Practical Method to Diagnose Memory Leaks in Java Application Alan Yu 1. Introduction The Java virtual machine s heap stores all objects created by a running Java application. Objects are created by
Production time profiling On-Demand with Java Flight Recorder
Production time profiling On-Demand with Java Flight Recorder Using Java Mission Control & Java Flight Recorder Klara Ward Principal Software Developer Java Platform Group, Oracle Copyright 2015, Oracle
Identifying Performance Bottleneck using JRockit. - Shivaram Thirunavukkarasu Performance Engineer Wipro Technologies
Identifying Performance Bottleneck using JRockit - Shivaram Thirunavukkarasu Performance Engineer Wipro Technologies Table of Contents About JRockit Mission Control... 3 Five things to look for in JRMC
Rational Application Developer Performance Tips Introduction
Rational Application Developer Performance Tips Introduction This article contains a series of hints and tips that you can use to improve the performance of the Rational Application Developer. This article
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
Java Troubleshooting and Performance
Java Troubleshooting and Performance Margus Pala Java Fundamentals 08.12.2014 Agenda Debugger Thread dumps Memory dumps Crash dumps Tools/profilers Rules of (performance) optimization 1. Don't optimize
Tool - 1: Health Center
Tool - 1: Health Center Joseph Amrith Raj http://facebook.com/webspherelibrary 2 Tool - 1: Health Center Table of Contents WebSphere Application Server Troubleshooting... Error! Bookmark not defined. About
IBM Support Assistant v5. Review and hands-on by Joseph
IBM Support Assistant v5 Review and hands-on by Joseph What's new in v5 This new version is built on top of WebSphere application server community edition. It gives more flexible configurations Intuitive
How To Use Java On An Ipa 2.2.2 (Jspa) With A Microsoft Powerbook (Jempa) With An Ipad 2.3.2 And A Microos 2.5 (Microos)
Java Monitoring and Diagnostic Tooling Iris Baron IBM Java JIT on System Z [email protected] Session ID: 16182 Insert Custom Session QR if Desired. Java Road Map Java 7.0 Language Updates Java 6.0 SE 5.0
Monitoring, Tracing, Debugging (Under Construction)
Monitoring, Tracing, Debugging (Under Construction) I was already tempted to drop this topic from my lecture on operating systems when I found Stephan Siemen's article "Top Speed" in Linux World 10/2003.
Memory Profiling using Visual VM
Memory Profiling using Visual VM What type of profiling is most important? Clear answer: memory profiling! The speed of your application typically is something that you feel throughout your whole development
TDA - Thread Dump Analyzer
TDA - Thread Dump Analyzer TDA - Thread Dump Analyzer Published September, 2008 Copyright 2006-2008 Ingo Rockel Table of Contents 1.... 1 1.1. Request Thread Dumps... 2 1.2. Thread
Eclipse Visualization and Performance Monitoring
Eclipse Visualization and Performance Monitoring Chris Laffra IBM Ottawa Labs http://eclipsefaq.org/chris Chris Laffra Eclipse Visualization and Performance Monitoring Page 1 Roadmap Introduction Introspection
Instrumentation Software Profiling
Instrumentation Software Profiling Software Profiling Instrumentation of a program so that data related to runtime performance (e.g execution time, memory usage) is gathered for one or more pieces of the
Java with Eclipse: Setup & Getting Started
Java with Eclipse: Setup & Getting Started Originals of slides and source code for examples: http://courses.coreservlets.com/course-materials/java.html Also see Java 8 tutorial: http://www.coreservlets.com/java-8-tutorial/
Tuning WebSphere Application Server ND 7.0. Royal Cyber Inc.
Tuning WebSphere Application Server ND 7.0 Royal Cyber Inc. JVM related problems Application server stops responding Server crash Hung process Out of memory condition Performance degradation Check if the
What s Cool in the SAP JVM (CON3243)
What s Cool in the SAP JVM (CON3243) Volker Simonis, SAP SE September, 2014 Public Agenda SAP JVM Supportability SAP JVM Profiler SAP JVM Debugger 2014 SAP SE. All rights reserved. Public 2 SAP JVM SAP
Monitoring Java enviroment / applications
Monitoring Java enviroment / applications Uroš Majcen [email protected] Java is Everywhere You Can Expect More. Java in Mars Rover With the help of Java Technology, and the Jet Propulsion Laboratory (JPL),
How to use IBM HeapAnalyzer to diagnose Java heap issues
IBM Software Group How to use IBM HeapAnalyzer to diagnose Java heap issues Jinwoo Hwang ([email protected]) IBM HeapAnalyzer Architect/Developer WebSphere Support Technical Exchange Introduction Java
General Introduction
Managed Runtime Technology: General Introduction Xiao-Feng Li ([email protected]) 2012-10-10 Agenda Virtual machines Managed runtime systems EE and MM (JIT and GC) Summary 10/10/2012 Managed Runtime
IBM Software Group. SW5706 JVM Tools. 2007 IBM Corporation 4.0. This presentation will act as an introduction to JVM tools.
SW5706 JVM Tools This presentation will act as an introduction to. 4.0 Page 1 of 15 for tuning and problem detection After completing this topic, you should be able to: Describe the main tools used for
Profiling and Testing with Test and Performance Tools Platform (TPTP)
Profiling and Testing with Test and Performance Tools Platform (TPTP) 2009 IBM Corporation and Intel Corporation; made available under the EPL v1.0 March, 2009 Speakers Eugene Chan IBM Canada [email protected]
High-performance Android apps. Tim Bray
High-performance Android apps Tim Bray Two Questions How do you make your app run fast? When your app has to do some real work, how do keep the user experience pleasant? Jank Chrome team's term for stalling
Java Monitoring. Stuff You Can Get For Free (And Stuff You Can t) Paul Jasek Sales Engineer
Java Monitoring Stuff You Can Get For Free (And Stuff You Can t) Paul Jasek Sales Engineer A Bit About Me Current: Past: Pre-Sales Engineer (1997 present) WaveMaker Wily Persistence GemStone Application
BEAJRockit Mission Control. Using JRockit Mission Control in the Eclipse IDE
BEAJRockit Mission Control Using JRockit Mission Control in the Eclipse IDE Mission Control 3.0.2 Document Revised: June, 2008 Contents 1. Introduction Benefits of the Integration................................................
Using jvmstat and visualgc to Solve Memory Management Problems
Using jvmstat and visualgc to Solve Memory Management Problems java.sun.com/javaone/sf 1 Wally Wedel Sun Software Services Brian Doherty Sun Microsystems, Inc. Analyze JVM Machine Memory Management Problems
How To Improve Performance On An Asa 9.4 Web Application Server (For Advanced Users)
Paper SAS315-2014 SAS 9.4 Web Application Performance: Monitoring, Tuning, Scaling, and Troubleshooting Rob Sioss, SAS Institute Inc., Cary, NC ABSTRACT SAS 9.4 introduces several new software products
Java VM monitoring and the Health Center API. William Smith [email protected]
Java VM monitoring and the Health Center API William Smith [email protected] Health Center overview What problem am I solving? What is my JVM doing? Is everything OK? Why is my application running
Java Garbage Collection Basics
Java Garbage Collection Basics Overview Purpose This tutorial covers the basics of how Garbage Collection works with the Hotspot JVM. Once you have learned how the garbage collector functions, learn how
Java memory proler user guide
Java memory proler user guide Robert Olofsson, [email protected] May 25, 2006 We should forget about small eciencies, say about 97% of the time: Premature optimization is the root of all evil.
<Insert Picture Here> Java Application Diagnostic Expert
Java Application Diagnostic Expert Agenda 1. Enterprise Manager 2. Challenges 3. Java Application Diagnostics Expert (JADE) 4. Feature-Benefit Summary 5. Features Overview Diagnostic
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
Holly Cummins IBM Hursley Labs. Java performance not so scary after all
Holly Cummins IBM Hursley Labs Java performance not so scary after all So... You have a performance problem. What next? Goals After this talk you will: Not feel abject terror when confronted with a performance
Determine the process of extracting monitoring information in Sun ONE Application Server
Table of Contents AboutMonitoring1 Sun ONE Application Server 7 Statistics 2 What Can Be Monitored? 2 Extracting Monitored Information. 3 SNMPMonitoring..3 Quality of Service 4 Setting QoS Parameters..
Monitoring and Managing a JVM
Monitoring and Managing a JVM Erik Brakkee & Peter van den Berkmortel Overview About Axxerion Challenges and example Troubleshooting Memory management Tooling Best practices Conclusion About Axxerion Axxerion
Interpreters and virtual machines. Interpreters. Interpreters. Why interpreters? Tree-based interpreters. Text-based interpreters
Interpreters and virtual machines Michel Schinz 2007 03 23 Interpreters Interpreters Why interpreters? An interpreter is a program that executes another program, represented as some kind of data-structure.
WebSphere Architect (Performance and Monitoring) 2011 IBM Corporation
Track Name: Application Infrastructure Topic : WebSphere Application Server Top 10 Performance Tuning Recommendations. Presenter Name : Vishal A Charegaonkar WebSphere Architect (Performance and Monitoring)
Getting Started with Telerik Data Access. Contents
Contents Overview... 3 Product Installation... 3 Building a Domain Model... 5 Database-First (Reverse) Mapping... 5 Creating the Project... 6 Creating Entities From the Database Schema... 7 Model-First
2015 ej-technologies GmbH. All rights reserved. JProfiler Manual
2015 ej-technologies GmbH. All rights reserved. JProfiler Manual Index JProfiler help... 8 How to order... 9 A Help topics... 10 A.1 Profiling... 10 A.1.1 Profiling modes... 10 A.1.2 Remote profiling...
With a single download, the ADT Bundle includes everything you need to begin developing apps:
Get the Android SDK The Android SDK provides you the API libraries and developer tools necessary to build, test, and debug apps for Android. The ADT bundle includes the essential Android SDK components
MCTS Guide to Microsoft Windows 7. Chapter 10 Performance Tuning
MCTS Guide to Microsoft Windows 7 Chapter 10 Performance Tuning Objectives Identify several key performance enhancements Describe performance tuning concepts Use Performance Monitor Use Task Manager Understand
Debugging Java Applications
Debugging Java Applications Table of Contents Starting a Debugging Session...2 Debugger Windows...4 Attaching the Debugger to a Running Application...5 Starting the Debugger Outside of the Project's Main
PTC System Monitor Solution Training
PTC System Monitor Solution Training Patrick Kulenkamp June 2012 Agenda What is PTC System Monitor (PSM)? How does it work? Terminology PSM Configuration The PTC Integrity Implementation Drilling Down
B M C S O F T W A R E, I N C. BASIC BEST PRACTICES. Ross Cochran Principal SW Consultant
B M C S O F T W A R E, I N C. PATROL FOR WEBSPHERE APPLICATION SERVER BASIC BEST PRACTICES Ross Cochran Principal SW Consultant PAT R O L F O R W E B S P H E R E A P P L I C AT I O N S E R V E R BEST PRACTICES
PART IV Performance oriented design, Performance testing, Performance tuning & Performance solutions. Outline. Performance oriented design
PART IV Performance oriented design, Performance testing, Performance tuning & Performance solutions Slide 1 Outline Principles for performance oriented design Performance testing Performance tuning General
Netbeans 6.0. José Maria Silveira Neto. Sun Campus Ambassador [email protected]
Netbeans 6.0 José Maria Silveira Neto Sun Campus Ambassador [email protected] Agenda What is Netbeans? What's in Netbeans 6.0? Coolest Features Netbeans 6.0 Demo! What To Do/Where To Go What Is NetBeans?
EVALUATION ONLY. WA2088 WebSphere Application Server 8.5 Administration on Windows. Student Labs. Web Age Solutions Inc.
WA2088 WebSphere Application Server 8.5 Administration on Windows Student Labs Web Age Solutions Inc. Copyright 2013 Web Age Solutions Inc. 1 Table of Contents Directory Paths Used in Labs...3 Lab Notes...4
qwertyuiopasdfghjklzxcvbnmqwerty uiopasdfghjklzxcvbnmqwertyuiopasd fghjklzxcvbnmqwertyuiopasdfghjklzx cvbnmqwertyuiopasdfghjklzxcvbnmq
qwertyuiopasdfghjklzxcvbnmqwerty uiopasdfghjklzxcvbnmqwertyuiopasd fghjklzxcvbnmqwertyuiopasdfghjklzx cvbnmqwertyuiopasdfghjklzxcvbnmq Introduction to Programming using Java wertyuiopasdfghjklzxcvbnmqwertyui
Practical Performance Understanding the Performance of Your Application
Neil Masson IBM Java Service Technical Lead 25 th September 2012 Practical Performance Understanding the Performance of Your Application 1 WebSphere User Group: Practical Performance Understand the Performance
Transaction Monitoring Version 8.1.3 for AIX, Linux, and Windows. Reference IBM
Transaction Monitoring Version 8.1.3 for AIX, Linux, and Windows Reference IBM Note Before using this information and the product it supports, read the information in Notices. This edition applies to V8.1.3
Practical Android Projects Lucas Jordan Pieter Greyling
Practical Android Projects Lucas Jordan Pieter Greyling Apress s w«^* ; i - -i.. ; Contents at a Glance Contents --v About the Authors x About the Technical Reviewer xi PAcknowiedgments xii Preface xiii
<Insert Picture Here> What's New in NetBeans IDE 7.2
Slide 1 What's New in NetBeans IDE 7.2 The following is intended to outline our general product direction. It is intended for information purposes only, and may not be incorporated
Java Profiler for TelORB
Uppsala Master s Theses in Computing Science (216) Examensarbete DV3 2002-06-07 ISSN 1100-1836 Java Profiler for TelORB Johnny Yakoub Information Technology Computing Science Department Uppsala University
Java Coding Practices for Improved Application Performance
1 Java Coding Practices for Improved Application Performance Lloyd Hagemo Senior Director Application Infrastructure Management Group Candle Corporation In the beginning, Java became the language of the
Effective Java Programming. efficient software development
Effective Java Programming efficient software development Structure efficient software development what is efficiency? development process profiling during development what determines the performance of
Tuning Your GlassFish Performance Tips. Deep Singh Enterprise Java Performance Team Sun Microsystems, Inc.
Tuning Your GlassFish Performance Tips Deep Singh Enterprise Java Performance Team Sun Microsystems, Inc. 1 Presentation Goal Learn tips and techniques on how to improve performance of GlassFish Application
Example of Standard API
16 Example of Standard API System Call Implementation Typically, a number associated with each system call System call interface maintains a table indexed according to these numbers The system call interface
Android Environment SDK
Part 2-a Android Environment SDK Victor Matos Cleveland State University Notes are based on: Android Developers http://developer.android.com/index.html 1 2A. Android Environment: Eclipse & ADT The Android
Essentials of Java Performance Tuning. Dr Heinz Kabutz Kirk Pepperdine Sun Java Champions
Essentials of Java Performance Tuning Dr Heinz Kabutz Kirk Pepperdine Sun Java Champions Our Typical Story Customer JoGoSlo Ltd calls us in desperation > Millions of Rands invested > Users complain about
Network Probe User Guide
Network Probe User Guide Network Probe User Guide Table of Contents 1. Introduction...1 2. Installation...2 Windows installation...2 Linux installation...3 Mac installation...4 License key...5 Deployment...5
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
Delivering Quality in Software Performance and Scalability Testing
Delivering Quality in Software Performance and Scalability Testing Abstract Khun Ban, Robert Scott, Kingsum Chow, and Huijun Yan Software and Services Group, Intel Corporation {khun.ban, robert.l.scott,
Mobile Application Development Android
Mobile Application Development Android MTAT.03.262 Satish Srirama [email protected] Goal Give you an idea of how to start developing Android applications Introduce major Android application concepts
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
JProfiler: Code Coverage Analysis Tool for OMP Project
CMU 17-654 & 17-754 Analysis of Software Artifacts Spring 2006 Individual Project: Tool Analysis May 18, 2006 Eun-young Cho [email protected] JProfiler: Code Coverage Analysis Tool for OMP Project Table
ID TECH UniMag Android SDK User Manual
ID TECH UniMag Android SDK User Manual 80110504-001-A 12/03/2010 Revision History Revision Description Date A Initial Release 12/03/2010 2 UniMag Android SDK User Manual Before using the ID TECH UniMag
Lab 4 In class Hands-on Android Debugging Tutorial
Lab 4 In class Hands-on Android Debugging Tutorial Submit lab 4 as PDF with your feedback and list each major step in this tutorial with screen shots documenting your work, i.e., document each listed step.
WebSphere Application Server V7: Monitoring the Runtime
Chapter 11 of WebSphere Application Server V7 Administration and Configuration Guide, SG24-7615 WebSphere Application Server V7: Monitoring the Runtime Being able to measure and monitor system interactions
Editors Comparison (NetBeans IDE, Eclipse, IntelliJ IDEA)
České vysoké učení technické v Praze Fakulta elektrotechnická Návrh Uživatelského Rozhraní X36NUR Editors Comparison (NetBeans IDE, Eclipse, ) May 5, 2008 Goal and purpose of test Purpose of this test
IBM Software Services for Lotus Consulting Education Accelerated Value Program. Log Files. 2009 IBM Corporation
Log Files 2009 IBM Corporation Goals Understand where to find log files Understand the purpose of various log files Components and log files Look at logs, starting with the most likely component Review
Introduction to Android Development. Jeff Avery CS349, Mar 2013
Introduction to Android Development Jeff Avery CS349, Mar 2013 Overview What is Android? Android Architecture Overview Application Components Activity Lifecycle Android Developer Tools Installing Android
ANDROID APPS DEVELOPMENT FOR MOBILE AND TABLET DEVICE (LEVEL I)
ANDROID APPS DEVELOPMENT FOR MOBILE AND TABLET DEVICE (LEVEL I) Who am I? Lo Chi Wing, Peter Lecture 1: Introduction to Android Development Email: [email protected] Facebook: http://www.facebook.com/peterlo111
White Paper. Java versus Ruby Frameworks in Practice STATE OF THE ART SOFTWARE DEVELOPMENT 1
White Paper Java versus Ruby Frameworks in Practice STATE OF THE ART SOFTWARE DEVELOPMENT 1 INTRODUCTION...3 FRAMEWORKS AND LANGUAGES...3 SECURITY AND UPGRADES...4 Major Upgrades...4 Minor Upgrades...5
Getting Started with CodeXL
AMD Developer Tools Team Advanced Micro Devices, Inc. Table of Contents Introduction... 2 Install CodeXL... 2 Validate CodeXL installation... 3 CodeXL help... 5 Run the Teapot Sample project... 5 Basic
The "Eclipse Classic" version is recommended. Otherwise, a Java or RCP version of Eclipse is recommended.
Installing the SDK This page describes how to install the Android SDK and set up your development environment for the first time. If you encounter any problems during installation, see the Troubleshooting
Drupal Performance Tuning
Drupal Performance Tuning By Jeremy Zerr Website: http://www.jeremyzerr.com @jrzerr http://www.linkedin.com/in/jrzerr Overview Basics of Web App Systems Architecture General Web
Why Threads Are A Bad Idea (for most purposes)
Why Threads Are A Bad Idea (for most purposes) John Ousterhout Sun Microsystems Laboratories [email protected] http://www.sunlabs.com/~ouster Introduction Threads: Grew up in OS world (processes).
MULTIPLE CHOICE. Choose the one alternative that best completes the statement or answers the question.
Exam Name MULTIPLE CHOICE. Choose the one alternative that best completes the statement or answers the question. 1) The JDK command to compile a class in the file Test.java is A) java Test.java B) java
11.1 inspectit. 11.1. inspectit
11.1. inspectit Figure 11.1. Overview on the inspectit components [Siegl and Bouillet 2011] 11.1 inspectit The inspectit monitoring tool (website: http://www.inspectit.eu/) has been developed by NovaTec.
MEASURING WORKLOAD PERFORMANCE IS THE INFRASTRUCTURE A PROBLEM?
MEASURING WORKLOAD PERFORMANCE IS THE INFRASTRUCTURE A PROBLEM? Ashutosh Shinde Performance Architect [email protected] Validating if the workload generated by the load generating tools is applied
PARALLEL JAVASCRIPT. Norm Rubin (NVIDIA) Jin Wang (Georgia School of Technology)
PARALLEL JAVASCRIPT Norm Rubin (NVIDIA) Jin Wang (Georgia School of Technology) JAVASCRIPT Not connected with Java Scheme and self (dressed in c clothing) Lots of design errors (like automatic semicolon
WebSphere Performance Monitoring & Tuning For Webtop Version 5.3 on WebSphere 5.1.x
Frequently Asked Questions WebSphere Performance Monitoring & Tuning For Webtop Version 5.3 on WebSphere 5.1.x FAQ Version 1.0 External FAQ1. Q. How do I monitor Webtop performance in WebSphere? 1 Enabling
Apple Applications > Safari 2008-10-15
Safari User Guide for Web Developers Apple Applications > Safari 2008-10-15 Apple Inc. 2008 Apple Inc. All rights reserved. No part of this publication may be reproduced, stored in a retrieval system,
INTEL PARALLEL STUDIO XE EVALUATION GUIDE
Introduction This guide will illustrate how you use Intel Parallel Studio XE to find the hotspots (areas that are taking a lot of time) in your application and then recompiling those parts to improve overall
Installing Java. Table of contents
Table of contents 1 Jargon...3 2 Introduction...4 3 How to install the JDK...4 3.1 Microsoft Windows 95... 4 3.1.1 Installing the JDK... 4 3.1.2 Setting the Path Variable...5 3.2 Microsoft Windows 98...
