Garbage Collection in NonStop Server for Java

Size: px
Start display at page:

Download "Garbage Collection in NonStop Server for Java"

Transcription

1 Garbage Collection in NonStop Server for Java Technical white paper Table of contents 1. Introduction Garbage Collection Concepts Garbage Collection in NSJ NSJ Garbage Collection Performance... 8 Frequency of minor GC... 9 Frequency of full GC... 9 Collection duration... 9 Test Run #1: Effect of heap size on GC duration Test Run #2: Effect of object size on GC duration Test Run #3: Effect of object lifetime on GC duration Key Take-away: NSJ Garbage Collection Performance Guidelines for Tuning Garbage Collection References... 14

2 1. Introduction This paper provides an overview of how garbage collection works in NonStop Server for Java (NSJ) and also provides some representative data regarding garbage collection performance in NSJ. This paper is organized as follows: Section 2 introduces some basic terms and concepts associated with garbage collection. Section 3 provides an overview of the garbage collection mechanism in NSJ. Section 4 discusses garbage collection performance on NSJ based on test results. Section 5 enumerates the main NSJ runtime options relevant to garbage collection. Section 6 discusses some high level recommendations to optimize garbage collection performance on NSJ. Section 7 provides references for further reading. 2. Garbage Collection Concepts Unlike languages such as C++ where memory management is the programmer s responsibility, Java automates the memory management process with the help of a program called a Garbage Collector that runs within the Java Virtual Machine (JVM). A Garbage Collector is responsible for: Allocating memory from the Java heap 1 during object creation Ensuring that any objects that are reachable from references in executing code remain in the heap Reclaiming memory associated with objects that are no longer referenced As discussed later, garbage collection on NSJ is a so-called stop-the-world activity. This means that application execution is briefly suspended while garbage collection is taking place. It is, therefore, desirable that the garbage collector performs its function efficiently without introducing long pauses during which application execution is suspended. Objects in the heap that are reachable from references in executing code are said to be live. Objects that are no longer referenced are considered dead and are termed garbage. Although, in general, programmers do not need to have detailed knowledge of how the garbage collector organizes the heap and how it allocates and frees memory within the heap, it is helpful to have a high level functional understanding of how the garbage collector operates. The next section provides the reader with such an understanding. 1 The Java heap is part of the larger NSJ process heap. In this paper, the term heap, unless explicitly qualified, refers to the Java heap. 2

3 3. Garbage Collection in NSJ NSJ employs a garbage collection technique known as generational collection, in which the heap is divided into generations, where each generation is a separate memory pool that holds objects of different ages. In NSJ, the heap is divided into two generations as shown in Figure 1. Figure 1: Heap Layout The young generation, also known as the new generation, is further subdivided into three spaces: Eden space: This is the area from which most 2 new objects are allocated. Two Survivor spaces labeled From and To : After garbage collection from the young generation is completed, one of the two survivor spaces is used to hold all live objects (that is those objects that have survived this round of young generation garbage collection), while the other survivor space is empty. The role of these survivor spaces will become clear when we discuss the behavior of garbage collection in the young generation. The old generation, also known as the tenured generation, is that part of the heap where longer lived objects are located. When an object has survived a certain number of young generation collections, that object is deemed to be long-lived and is said to be promoted from the young generation to the old generation. For completeness, it should be mentioned that there is another generation known as the permanent generation which is separate from the young and old generation. The permanent generation is used by the JVM to hold the classes and methods loaded by an application. Because the permanent generation is not used to hold regular application objects, its usage will not be discussed in this paper. 2 There are corner case situations where an object is allocated directly from the old generation, but to keep the discussion simple, such corner cases are not discussed in this paper. 3

4 The rationale for segmenting the heap into a young and old generation is based on the hypothesis of infant mortality. This hypothesis, which has been empirically observed, states that most Java objects die young that is to say, most objects become garbage soon after their creation. Based on this assumption, different garbage collection algorithms are applied to each of the new and old generations. For example, the new generation garbage collector is presumed to operate on a space that has relatively fewer live objects than garbage objects, and so its algorithm places a premium on speed to quickly evict garbage objects. The old generation garbage collector, on the other hand, is presumed to operate on a space that has a higher proportion of live objects relative to garbage objects, and so its algorithm puts a premium on space efficiency to compact live objects after evicting the relatively few garbage objects. Garbage collection from the new generation is called a minor collection or Scavenge, while garbage collection from the entire heap, that is, both the new and old generations, is called a major collection or full collection. (The remainder of this paper uses the term minor GC to refer to garbage collections from the young generation, and full GC to refer to collections from the entire heap.) We now discuss the conditions under which minor GC and full GC are triggered, and the actions taken in each of these collections. Please note that this discussion on garbage collection activities does not describe the algorithms that the NSJ garbage collectors implement, but rather describes how the garbage collectors work from a functional perspective. We start with an empty heap. As new objects are created, memory is allocated from the Eden space. When Eden fills up, and an object cannot be allocated because of lack of free memory, a minor GC is triggered. During a minor GC the following activities occur (refer to Figure 2): All live objects in Eden are marked (light green arrows in Figure 2) All live objects in Eden are moved to one of the survivor spaces, say, the To survivor space All non-marked objects in Eden are, by definition, garbage, and removed. Note that at this time the Eden is completely empty. Objects that have survived this minor GC and are now in the To survivor space are marked with a survival count, that is, a count of how many minor GC a particular object has survived. In this case, all objects in the To space are marked with a survival count of 1. When the survival count exceeds a user configurable threshold value, the object is moved to the old generation. In this example, we assume that the threshold value has been set to 2. Figure 2: During Minor GC 4

5 Figure 3: After Minor GC Note that at the end of this minor GC, the Eden and From survivor space is empty, and all live objects are located in the To survivor space as shown in Figure 3. In NSJ, all application threads are suspended throughout the brief duration of a minor GC and they are resumed only when the minor GC is complete. This behavior is known as stop-the-world collection. After the minor GC completes, application threads are resumed and object creation begins again causing the Eden to, over time, fill up, eventually triggering another minor GC. During this second minor GC, the following activities occur (refer to Figure 4): All live objects in Eden and in the To survivor space are marked. (Recall there are objects in the To space as a result of the first minor GC.) All live objects in the To survivor space have their survival count incremented to 2 (because they have survived 2 minor collections.) Because no live objects in the To survivor space has exceeded the threshold survival value (2 in this example), all live objects in the To space are copied to the empty From survivor space. All live objects in Eden space are moved to the From survivor space and their survival count set to 1. All non-marked objects in Eden and To survivor space are considered garbage and removed. Figure 4: During Minor GC 5

6 Figure 5: After Minor GC Note that at the end of this minor GC, the Eden space and the To survivor space are empty, and all live objects are located in the From survivor space as shown in Figure 5. To generalize: at the end of each minor GC, the Eden space and one of the survival spaces are always empty with all the live objects located in the other survival space. To continue the example, the next time a minor GC occurs, the following activities occur (refer to Figure 6): All live objects in Eden and in the From survivor space are marked. All live objects in the From survivor space have their survival count incremented. Those objects in the From space whose survival count equals 3 are moved to the old generation. The objects that are moved to the old generation are said to be promoted. The remaining live objects in the From space are moved to the To survivor space. All live objects in Eden are moved to the To survival space and their survival count is set to 1. All non-marked objects in Eden and the From space are considered garbage and are removed. Figure 6: During Minor GC 6

7 Figure 7: After Minor GC As shown in Figure 7, at the end of this minor GC, the old generation contains some live objects that have been promoted, in this case, from the From survival space. The minor collections continue in this manner, with live objects that have exceeded the survival threshold being promoted to the old generation, and remaining live objects being alternately moved to the empty survivor space. The continual promotion of objects to the old generation, over time, causes the old generation to become full which, in turn, triggers a full GC. 3 When a full GC occurs, the following activities occur (refer to Figure 8): All live objects in the old generation and young generation are marked. The non-marked objects in the young and old generations are, by definition, garbage objects, and are removed. The live objects in the old generation are then compacted to one end of the old generation. All live objects in the young generation are moved to the old generation. Figure 8: During Minor GC 3 In NSJ, the sequence of events that most often triggers full GC is as follows: An object allocation fails (because of lack of space in Eden), which triggers a minor GC, which, in turn, may cause object(s) to be promoted to the old generation. If an object cannot be promoted because of lack of space in old generation, this will triggers a full GC. 7

8 Figure 9: During Minor GC As shown in Figure 9, a full GC removes garbage objects not only from the old generation, but also from the young generation. In addition, all live objects from the young generation are moved to the old generation which leaves the young generation empty after a full GC. Given that a full GC operates over the entire heap, in contrast to a minor GC which operates only over the young generation, the duration of a full GC is typically longer than a minor GC. On NSJ, a full GC, like a minor GC, is a stop-the-world collection, which means that for the duration of a full GC, all applications threads are suspended. This section has so far described how the garbage collector frees memory allocated to garbage objects. We now briefly describe how objects are allocated from Eden when they are first created. Recall that at the end of each minor collection, the Eden is always empty, so there is a large contiguous block of memory available from which to allocate objects. Allocations from such blocks are extremely efficient using a simple bump-the-pointer technique. In this technique, the end of the last allocated object is kept track of, and when a new allocation request needs to be satisfied, all that needs to be done is to check whether the object will fit in Eden, and, if so, return the pointer value and update the pointer to point to the end of this allocation. 4. NSJ Garbage Collection Performance As noted, both minor GC and full GC in NSJ are stop-the-world activities. This means that collection time has the potential to impact application performance given that application execution is suspended for the duration of a collection. This section discusses collection times that have been observed on NSJ while running tests described later in this section. There are two primary measures of garbage collection performance throughput and pause time. Throughput is the percentage of total time not spent in garbage collection, considered over long periods of time. Pause time is the time taken by an individual collection during which an application may appear unresponsive. In general, server-side applications are tuned to minimize the aggregate time spent on collections to improve application throughput, while client-side GUI applications are tuned to minimize individual collection duration to reduce application pauses. Let us start with the observation that the aggregate time spent on collections depends on: Frequency with which collections (both minor GC and full GC) occur, and Duration of each collection. Let us look at each determinant of aggregate collection time, starting with the frequency with which minor GC and full GC occur. 8

9 Frequency of minor GC A minor GC occurs when Eden is full. So, the frequency of minor GC is determined by how rapidly the Eden gets filled. The larger the size of Eden, the larger is the time interval between minor GCs (that is lower the frequency.) For a given Eden size, the time taken for Eden to fill up depends on the rate of object creation and the size of the created objects. Therefore, the frequency of minor GC is dependent on a) the application, which determines the rate with which objects are created and their size, and, b) on the size of Eden, which is configurable. Frequency of full GC A full GC occurs when the old generation is full. So, the frequency of full GC is determined by how quickly the old generation gets filled. The larger the size of old generation, the larger is the time interval between full GCs. For a given old generation size, the time taken to fill up the old generation depends on how many objects get promoted during a minor GC (which, in turn, depends on object longevity and the configurable survival threshold parameter) and the size of the promoted objects. Therefore, the frequency of full GC depends on a) the application, which determines object longevity and the size of promoted objects, and, b) the size of the old generation and survival threshold value, both of which are configurable. Collection duration The collection duration is largely dependent on: Size of generations Object size Object lifetime Generation size: That generation size is a determinant of collection duration is obvious the larger the size, the greater the number of objects likely to be in a generation, and so, the greater the collection duration. Object size: Object size is a determinant of collection duration because during each collection, live objects are copied which carry a copying cost. During a minor GC, live objects from one of the surviving spaces are either copied (promoted) to the old generation, or are copied to the other survivor space. During a full GC, live objects in the old generation are copied to fill the holes left by evicted dead objects (compacted), and live objects from the young generation are copied to the old generation. So, for a given number of live objects, the collection duration is likely to increase with an increase in object size because of the copying cost involved. Object lifetime: Object lifetime is a determinant of collection duration because live objects carry a copying cost during a collection. Take the extreme case where all objects become garbage between successive minor collections. In this situation, minor GCs would be faster than they otherwise would be because no objects need to be copied between survivor spaces, and a full collection will never occur because no object gets promoted leaving the old generation always empty. To get an understanding of how these determinants generation size, object size, and object lifetime affect collection duration, the results of tests conducted specifically for this purpose are shown below. Three tests were run, one each for observing the effect of a determinant while holding the other two determinants constant. All the tests were run on NSJ 6.0 on Integrity NonStop servers. 9

10 Note: In each of the test runs, the heap size, which is the sum of young and old generation sizes, was specified by setting both the initial size and the maximum size to the same value, which prevented the heap from resizing itself at runtime. This is one of the recommendations stated in section 6. Also, in all these tests, the young generation size was configured to be one-third the old generation size by setting the ratio of young generation size to the old generation size to the default value of 1:2. Test Run #1: Effect of heap size on GC duration In this test, collection duration was observed by varying the heap size, holding the size of objects created and their lifetime constant. This test consisted of 3 separate runs with heap size set to 64 MB, 256 MB and 512 MB respectively. All objects that were created in this test were 400 bytes in size, and 1 in every 3 objects was long-lived, making them likely to be promoted to the old generation. Heap size (young generation to old generation ratio=1:2) 64 MB 256 MB 512 MB Object Size 400 Bytes 400 Bytes 400 Bytes Object Lifetime (ratio of long-lived objects to short-lived objects) 1:2 1:2 1:2 Mean minor GC duration (seconds) Mean full GC duration (seconds) Ratio of minor GC frequency Ratio of full GC frequency The observed GC duration and GC frequency results confirm the expected outcome: a larger generation size leads to a larger collection duration, but also lowers the collection frequency. Test Run #2: Effect of object size on GC duration In this test, collection duration was observed by varying the object size, holding heap size and object lifetime constant. This test consisted of 2 separate runs with the size of each object created set to 400 bytes and 200 KB respectively. In both runs, the heap size was set to 256 MB runs and 1 in every 3 objects created was long-lived. Object Size 0.4 KB 200 KB Heap Size (young generation to old generation ratio=1:2) 256 MB 256 MB Object Lifetime (ratio of long-lived objects to short-lived objects) 1:2 1:2 Mean minor duration (seconds) Mean full GC duration (seconds) The observed GC duration results confirm the expected positive correlation between object size and collection duration. Note the higher sensitivity of full GC duration to object size. This is a result of the cost of copying large objects necessitated by the need to compact the old generation space during each full collection. 4 This test was designed to create objects in a tight for loop, and the objects themselves performed no work. This rapid creation of objects causes the young and old generations to fill up quickly, which, in turn, causes minor and full GC to occur significantly more frequently than that typically observed in a real application. Given that the actual frequency data is not very meaningful in the context of this test, we are instead providing relative GC frequency data. 10

11 Test Run #3: Effect of object lifetime on GC duration In this test, collection duration was observed by varying the object lifetime, holding heap size and object size constant. This test consisted of 2 separate runs where the ratio of long-lived objects to short-lived objects was set to 2:1 and 8:1 respectively. In the context of this test, short-lived objects are defined as objects that are garbage collected by the next minor GC that occurs after their creation, and long-lived objects are defined as objects that survive a minor GC and are immediately promoted to the old generation. Across both runs, the heap size was held constant at 64 KB and all objects were 256 bytes in size. Note: To ensure that long-lived objects were immediately promoted to the old generation after surviving a minor GC, the survival threshold parameter was set to 0. Object Lifetime (ratio of long-lived to short-lived objects) 2:1 8:1 Heap Size (young generation to old generation ratio=1:2) 64 KB 64 KB Object Size 256 Bytes 256 Bytes Mean minor GC duration (seconds) Mean full GC duration (seconds) The 4-times increase in minor GC duration when the percentage of long-lived objects rose from 66% to 89% confirms the role of object longevity in collection time. The reason why object lifetime did not affect the full GC duration is because in this test the long-lived objects were mostly live for the duration of the test. The effect of this on full GC was that it had very few garbage objects to evict from the old generation, thus avoiding copying cost associated with compaction. The main observations from the three tests are: Minor GC duration was significantly less than full GC duration. Minor GC duration was in the sub-200 milliseconds range, and was as fast as 20 ms. (Test run #1, with heap size at 64 MB, and young generation size at approximately 21 MB) Full GC duration was in the sub-second range. Of the 3 determinants, heap size had the most effect on both minor GC and full GC duration. Key Take-away: The take-away from these test results is that from an aggregate collection time (which impacts application throughput) perspective, the most important contributing factor is the frequency of collections, not the duration of collections. (The frequency of full GC is generally the critical factor as that is usually more expensive than minor GC.) For example, if minor GC, with a mean duration of 200 ms, occurs at an interval of, say, 1 minute, minor GC accounts for less than 0.4% of processing time. Similarly, if full GC, with a mean duration of 1 second, occurs at an interval of, say, 5 minutes, full GC accounts for less than 0.4% of processing time. 11

12 5. NSJ Garbage Collection Performance The following table provides the NSJ runtime options relevant to garbage collection. Option Default Description -Xmsn 0 MB Initial size of heap -Xmxn 64 KB Maximum size of heap -XX:MinHeapFreeRatio=min and - XX:MaxHeapFreeRation=max 40 (min) 70 (max) Target range for the proportion of free space to total heap size. These are applied per generation. For example, if min is 30, and the percent of free space in a generation falls below 30%, the size of the generation is expanded so as to have 30% of the space free. Similarly, if max is 70, and the percent of free space in a generation exceeds 70%, the size of the generation is shrunk so as to have 70% of the space free. -XX:NewSize=n 2 KB Initial size of new generation -XX:NewRatio=n 2 Ratio between young and old generation. For example, if n=2, the ratio is 1:2 and the combined size of Eden and survivor spaces is one-third the total size of young and old generation. -XX:SurvivorRatio=n 8 Ratio between each survivor space and Eden. For example, if n is 8, each survivor space is one-tenth of the young generation. -XX:MaxTenuringThreshold=n 15 Number of times an object can survive a minor collection before being promoted to old generation. If n is 0, all objects that survive a minor collection are immediately promoted to the old generation. -XX:+ScavengeBeforeFullGC Enabled (+) Perform a young generation GC before a full GC -XX:-DisableExplicitGC Disabled (-) If option is enabled, calls to System.gc() are disabled -XX:+UseSerialGC Enabled (+) Use serial GC for both young and old generation. Note that XX:+UseParallelGC, XX:+UseParallelOldGC, XX:+UseConcMarkSweepGC are not supported The following runtime options are useful for collecting GC statistics. All of the options are disabled by default. Option -Xverbosegc -XX:+PrintGC -XX:+PrintGCDetails -XX:+PrintGCTimestamps -XX:+PrintTenuringDistribution -XX:+HeapDumpOnOutOfMemoryError Description Outputs very detailed information at every GC. This JVM option is specific to HP supplied JVMs. Outputs basic information at every GC Outputs detailed information at every GC Use with PrintGC or PrintGCDetails to output the timestamp at every GC Prints tenuring age distribution Dump heap to a file when java.lang.outofmemoryerror is thrown 12

13 6. Guidelines for Tuning Garbage Collection This section provides some high level guidelines for tuning GC performance. If you suspect GC frequency and/or GC duration to be a possible opportunity for improved application performance, the first task is to collect GC performance metrics. Use the Xverbosegc runtime option to get detailed GC metrics. The Xverbosegc option can be used to output the GC data to a file which can then be analyzed by using HPjmeter, a free tool downloadable from Usually, GC performance optimization can be most easily achieved by appropriately sizing the heap, and the young and old generations. Here are some general guidelines related to sizing. Avoid heap resizing at runtime by using the same value for minimum heap size (Xms) and maximum heap size (Xmx) Avoid setting the heap size to be larger than the needs of your application. Experiment with young generation size (XX:NewRatio or XX:NewSize) to minimize object promotion Understand the aging distribution of your objects using the XX:+PrintTenuringDistribution option. For example, if 80% of your objects are garbage collected with a minor GC, and the remaining 20% are long-lived and are eventually promoted, experiment with setting the MaxTenuringThreshold to a lower value. This will prevent the long-lived objects from being repeatedly copied between survivor spaces before being promoted to the old generation. If you set the MaxTenuringThreshold to zero, any objects that survive a minor GC will straight away be promoted to the old generation. Setting MaxTenuringThreshold to 0 should be accompanied by setting XX:SurvivorRatio to a high value to maximize the Eden space in the young generation. If lowering collection time is critical, experiment with setting smaller values for the young and old generation size. However, this will likely increase the GC frequency, thus impacting application throughput. Here are some programming related guidelines that can affect GC performance: Avoid calling System.gc() from your application as this triggers a full GC. A simple way to disable System.gc()calls is by setting the XX:+DisableExplicitGC runtime option. Avoid implementing the finalize() method because the garbage collector is prevented from immediately freeing the memory associated with garbage objects that have implemented the finalize() method. 13

14 7. References 1. For general background on Java garbage collection, refer to Please note that many of the garbage collectors mentioned in this paper are not applicable on NSJ. 2. Suggestions for tuning by adjusting heap and garbage collection parameters can be found at 3. Details on using the HPjmeter tool can be found at 4. Additional considerations for sizing the heap on NonStop systems can be found in the NSJ 6.0 Programmer s Reference manual located at Technology for better business outcomes Copyright 2010 Hewlett-Packard Development Company, L.P. The information contained herein is subject to change without notice. The only warranties for HP products and services are set forth in the express warranty statements accompanying such products and services. Nothing herein should be construed as constituting an additional warranty. HP shall not be liable for technical or editorial errors or omissions contained herein. Java is a US trademark of Sun Microsystems, Inc. 4AA0-6150ENW, February 2010

Memory Management in the Java HotSpot Virtual Machine

Memory Management in the Java HotSpot Virtual Machine Memory Management in the Java HotSpot Virtual Machine Sun Microsystems April 2006 2 Table of Contents Table of Contents 1 Introduction.....................................................................

More information

Java Performance Tuning

Java Performance Tuning Summer 08 Java Performance Tuning Michael Finocchiaro This white paper presents the basics of Java Performance Tuning for large Application Servers. h t t p : / / m f i n o c c h i a r o. w o r d p r e

More information

2 2011 Oracle Corporation Proprietary and Confidential

2 2011 Oracle Corporation Proprietary and Confidential The following is intended to outline our general product direction. It is intended for information purposes only, and may not be incorporated into any contract. It is not a commitment to deliver any material,

More information

Angelika Langer www.angelikalanger.com. The Art of Garbage Collection Tuning

Angelika Langer www.angelikalanger.com. The Art of Garbage Collection Tuning Angelika Langer www.angelikalanger.com The Art of Garbage Collection Tuning objective discuss garbage collection algorithms in Sun/Oracle's JVM give brief overview of GC tuning strategies GC tuning (2)

More information

Garbage Collection in the Java HotSpot Virtual Machine

Garbage Collection in the Java HotSpot Virtual Machine http://www.devx.com Printed from http://www.devx.com/java/article/21977/1954 Garbage Collection in the Java HotSpot Virtual Machine Gain a better understanding of how garbage collection in the Java HotSpot

More information

Java Garbage Collection Basics

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

More information

Java Garbage Collection Characteristics and Tuning Guidelines for Apache Hadoop TeraSort Workload

Java Garbage Collection Characteristics and Tuning Guidelines for Apache Hadoop TeraSort Workload Java Garbage Collection Characteristics and Tuning Guidelines for Apache Hadoop TeraSort Workload Shrinivas Joshi, Software Performance Engineer Vasileios Liaskovitis, Performance Engineer 1. Introduction

More information

JVM Garbage Collector settings investigation

JVM Garbage Collector settings investigation JVM Garbage Collector settings investigation Tigase, Inc. 1. Objective Investigate current JVM Garbage Collector settings, which results in high Heap usage, and propose new optimised ones. Following memory

More information

HP Service Manager Shared Memory Guide

HP Service Manager Shared Memory Guide HP Service Manager Shared Memory Guide Shared Memory Configuration, Functionality, and Scalability Document Release Date: December 2014 Software Release Date: December 2014 Introduction to Shared Memory...

More information

JBoss Data Grid Performance Study Comparing Java HotSpot to Azul Zing

JBoss Data Grid Performance Study Comparing Java HotSpot to Azul Zing JBoss Data Grid Performance Study Comparing Java HotSpot to Azul Zing January 2014 Legal Notices JBoss, Red Hat and their respective logos are trademarks or registered trademarks of Red Hat, Inc. Azul

More information

Introduction to Spark and Garbage Collection

Introduction to Spark and Garbage Collection Tuning Java Garbage Collection for Spark Applications May 28, 2015 by Daoyuan Wang and Jie Huang This is a guest post from our friends in the SSG STO Big Data Technology group at Intel. Join us at the

More information

Understanding Java Garbage Collection

Understanding Java Garbage Collection TECHNOLOGY WHITE PAPER Understanding Java Garbage Collection And What You Can Do About It Table of Contents Executive Summary... 3 Introduction.... 4 Why Care About the Java Garbage Collector?.... 5 Classifying

More information

Using jvmstat and visualgc to Solve Memory Management Problems

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

More information

JVM Performance Study Comparing Oracle HotSpot and Azul Zing Using Apache Cassandra

JVM Performance Study Comparing Oracle HotSpot and Azul Zing Using Apache Cassandra JVM Performance Study Comparing Oracle HotSpot and Azul Zing Using Apache Cassandra January 2014 Legal Notices Apache Cassandra, Spark and Solr and their respective logos are trademarks or registered trademarks

More information

HP SiteScope. Hadoop Cluster Monitoring Solution Template Best Practices. For the Windows, Solaris, and Linux operating systems

HP SiteScope. Hadoop Cluster Monitoring Solution Template Best Practices. For the Windows, Solaris, and Linux operating systems HP SiteScope For the Windows, Solaris, and Linux operating systems Software Version: 11.23 Hadoop Cluster Monitoring Solution Template Best Practices Document Release Date: December 2013 Software Release

More information

D. SamKnows Methodology 20 Each deployed Whitebox performs the following tests: Primary measure(s)

D. SamKnows Methodology 20 Each deployed Whitebox performs the following tests: Primary measure(s) v. Test Node Selection Having a geographically diverse set of test nodes would be of little use if the Whiteboxes running the test did not have a suitable mechanism to determine which node was the best

More information

Performance brief for IBM WebSphere Application Server 7.0 with VMware ESX 4.0 on HP ProLiant DL380 G6 server

Performance brief for IBM WebSphere Application Server 7.0 with VMware ESX 4.0 on HP ProLiant DL380 G6 server Performance brief for IBM WebSphere Application Server.0 with VMware ESX.0 on HP ProLiant DL0 G server Table of contents Executive summary... WebSphere test configuration... Server information... WebSphere

More information

WebSphere Performance Monitoring & Tuning For Webtop Version 5.3 on WebSphere 5.1.x

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

More information

Managing Scalability of Web services

Managing Scalability of Web services HP Asset Manager Managing Scalability of Web services Legal Notices... 2 Introduction... 3 Objective of this document... 3 Prerequisites... 3 General Approach... 4 Context... 4 Process... 4 Comments...

More information

Legal Notices... 2. Introduction... 3

Legal Notices... 2. Introduction... 3 HP Asset Manager Asset Manager 5.10 Sizing Guide Using the Oracle Database Server, or IBM DB2 Database Server, or Microsoft SQL Server Legal Notices... 2 Introduction... 3 Asset Manager Architecture...

More information

Extreme Performance with Java

Extreme Performance with Java Extreme Performance with Java QCon NYC - June 2012 Charlie Hunt Architect, Performance Engineering Salesforce.com sfdc_ppt_corp_template_01_01_2012.ppt In a Nutshell What you need to know about a modern

More information

IBM Software Group. SW5706 JVM Tools. 2007 IBM Corporation 4.0. This presentation will act as an introduction to JVM tools.

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

More information

HP Smart Document Scan Software compression schemes and file sizes

HP Smart Document Scan Software compression schemes and file sizes Technical white paper HP Smart Document Scan Software compression schemes and file s Table of contents Introduction 2 schemes supported in HP Smart Document Scan Software 2 Scheme Types 2 2 PNG 3 LZW 3

More information

NetBeans Profiler is an

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

More information

By the Citrix Publications Department. Citrix Systems, Inc.

By the Citrix Publications Department. Citrix Systems, Inc. Licensing: Planning Your Deployment By the Citrix Publications Department Citrix Systems, Inc. Notice The information in this publication is subject to change without notice. THIS PUBLICATION IS PROVIDED

More information

HP Operations Orchestration Software

HP Operations Orchestration Software HP Operations Orchestration Software Software Version: 9.00 Microsoft Hyper-V Integration Guide Document Release Date: June 2010 Software Release Date: June 2010 Legal Notices Warranty The only warranties

More information

The Fundamentals of Tuning OpenJDK

The Fundamentals of Tuning OpenJDK The Fundamentals of Tuning OpenJDK OSCON 2013 Portland, OR Charlie Hunt Architect, Performance Engineering Salesforce.com sfdc_ppt_corp_template_01_01_2012.ppt In a Nutshell What you need to know about

More information

A Practical Method to Diagnose Memory Leaks in Java Application Alan Yu

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

More information

Solid State Drive Technology

Solid State Drive Technology Technical white paper Solid State Drive Technology Differences between SLC, MLC and TLC NAND Table of contents Executive summary... 2 SLC vs MLC vs TLC... 2 NAND cell technology... 2 Write amplification...

More information

Customizing Asset Manager for Managed Services Providers (MSP) Software Asset Management

Customizing Asset Manager for Managed Services Providers (MSP) Software Asset Management HP Asset Manager Customizing Asset Manager for Managed Services Providers (MSP) Software Asset Management How To Manage Generic Software Counters and Multiple Companies Legal Notices... 2 Introduction...

More information

HP NonStop JDBC Type 4 Driver Performance Tuning Guide for Version 1.0

HP NonStop JDBC Type 4 Driver Performance Tuning Guide for Version 1.0 HP NonStop JDBC Type 4 Driver November 22, 2004 Author: Ken Sell 1 Introduction Java applications and application environments continue to play an important role in software system development. Database

More information

Using HP StoreOnce D2D systems for Microsoft SQL Server backups

Using HP StoreOnce D2D systems for Microsoft SQL Server backups Technical white paper Using HP StoreOnce D2D systems for Microsoft SQL Server backups Table of contents Executive summary 2 Introduction 2 Technology overview 2 HP StoreOnce D2D systems key features and

More information

Robert Honeyman http://www.honeymanit.co.uk rob.honeyman@honeymanit.co.uk

Robert Honeyman http://www.honeymanit.co.uk rob.honeyman@honeymanit.co.uk An Introduction to WebLogic Administration Robert Honeyman http://www.honeymanit.co.uk rob.honeyman@honeymanit.co.uk WEBLOGIC 11G : WHAT IS IT? Weblogic 10.3.3-10.3.6 = 11g Java EE 5 compliant Application

More information

HP 8-GB PC3-12800 (DDR3-1600 MHz) SODIMM

HP 8-GB PC3-12800 (DDR3-1600 MHz) SODIMM Overview Models PC3-12800 (DDR3-1600MHz) DIMMs HP 2-GB PC3-12800 (DDR3-1600 MHz) DIMM HP 4-GB PC3-12800 (DDR3-1600 MHz) DIMM HP 8-GB PC3-12800 (DDR3-1600 MHz) DIMM PC3-12800 (DDR3-1600 MHz) SODIMMs HP

More information

Installing Microsoft Windows

Installing Microsoft Windows Installing Microsoft Windows on HP Workstations with Advanced Format Hard Drives Technical white paper Table of contents Introduction... 2 Identifying an Advanced Format drive... 2 Installing Windows on

More information

QuickSpecs. HP Z Turbo Drive

QuickSpecs. HP Z Turbo Drive Overview Introduction Storage technology with NAND media is outgrowing the bandwidth limitations of the SATA bus. New high performance storage solutions will connect directly to the PCIe bus for revolutionary

More information

J2EE-JAVA SYSTEM MONITORING (Wily introscope)

J2EE-JAVA SYSTEM MONITORING (Wily introscope) J2EE-JAVA SYSTEM MONITORING (Wily introscope) Purpose: To describe a procedure for java system monitoring through SAP certified third party tool Wily introscope. Scope: (Assumption) This procedure is applicable

More information

MID-TIER DEPLOYMENT KB

MID-TIER DEPLOYMENT KB MID-TIER DEPLOYMENT KB Author: BMC Software, Inc. Date: 23 Dec 2011 PAGE 1 OF 16 23/12/2011 Table of Contents 1. Overview 3 2. Sizing guidelines 3 3. Virtual Environment Notes 4 4. Physical Environment

More information

Practical Performance Understanding the Performance of Your Application

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

More information

Performance Improvement In Java Application

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

More information

Solutions for detect, diagnose and resolve performance problems in J2EE applications

Solutions for detect, diagnose and resolve performance problems in J2EE applications IX Konferencja PLOUG Koœcielisko PaŸdziernik 2003 Solutions for detect, diagnose and resolve performance problems in J2EE applications Cristian Maties Quest Software Custom-developed J2EE applications

More information

Zing Vision. Answering your toughest production Java performance questions

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

More information

Berlin Mainframe Summit. Java on z/os. 2006 IBM Corporation

Berlin Mainframe Summit. Java on z/os. 2006 IBM Corporation Java on z/os Martina Schmidt Agenda Berlin Mainframe Summit About the mainframe Java runtime environments under z/os For which applications should I use a mainframe? Java on z/os cost and performance Java

More information

HP OpenView Performance Insight Report Pack for Databases

HP OpenView Performance Insight Report Pack for Databases HP OpenView Performance Insight Report Pack for Databases Data sheet The Report Pack for Databases provides the insight you need to effectively manage your database management system. Because what you

More information

Developing Microsoft SQL Server Databases (20464) H8N64S

Developing Microsoft SQL Server Databases (20464) H8N64S HP Education Services course data sheet Developing Microsoft SQL Server Databases (20464) H8N64S Course Overview In this course, you will be introduced to SQL Server, logical table design, indexing, query

More information

Policy-based optimization

Policy-based optimization Solution white paper Policy-based optimization Maximize cloud value with HP Cloud Service Automation and Moab Cloud Optimizer Table of contents 3 Executive summary 5 Maximizing utilization and capacity

More information

Performance Best Practices Guide for SAP NetWeaver Portal 7.3

Performance Best Practices Guide for SAP NetWeaver Portal 7.3 SAP NetWeaver Best Practices Guide Performance Best Practices Guide for SAP NetWeaver Portal 7.3 Applicable Releases: SAP NetWeaver 7.3 Document Version 1.0 June 2012 Copyright 2012 SAP AG. All rights

More information

Server Virtualization with Windows Server Hyper-V and System Center (20409) H8B93S

Server Virtualization with Windows Server Hyper-V and System Center (20409) H8B93S HP Education Services course data sheet Server Virtualization with Windows Server Hyper-V and System Center (20409) H8B93S Course Overview Obtain the skills you need to deploy and manage a Microsoft Server

More information

Recent Advances in Financial Planning and Product Development

Recent Advances in Financial Planning and Product Development Memory Management in Java and Ada Language for safety software development SARA HOSSEINI-DINANI, MICHAEL SCHWARZ & JOSEF BÖRCSÖK Computer Architecture & System Programming University Kassel Wilhelmshöher

More information

HP Business Service Management

HP Business Service Management HP Business Service Management For the Windows and Linux operating systems Software Version: 9.23 High Availability Fine Tuning - Best Practices Document Release Date: December 2013 Software Release Date:

More information

HP Operations Agent for NonStop Software Improves the Management of Large and Cross-platform Enterprise Solutions

HP Operations Agent for NonStop Software Improves the Management of Large and Cross-platform Enterprise Solutions HP Operations Agent for NonStop Software Improves the Management of Large and Cross-platform Enterprise Solutions HP Operations Agent for NonStop software manages HP NonStop servers and brings NonStop

More information

Java Garbage Collection Best Practices for Sizing and Tuning the Java Heap

Java Garbage Collection Best Practices for Sizing and Tuning the Java Heap IBM Software Group Java Garbage Collection Best Practices for Sizing and Tuning the Java Heap Chris Bailey WebSphere Support Technical Exchange Objectives Overview Selecting the Correct GC Policy Sizing

More information

HP SiteScope. HP Vertica Solution Template Best Practices. For the Windows, Solaris, and Linux operating systems. Software Version: 11.

HP SiteScope. HP Vertica Solution Template Best Practices. For the Windows, Solaris, and Linux operating systems. Software Version: 11. HP SiteScope For the Windows, Solaris, and Linux operating systems Software Version: 11.23 HP Vertica Solution Template Best Practices Document Release Date: December 2013 Software Release Date: December

More information

Arun Kejariwal. CS229 Project Report

Arun Kejariwal. CS229 Project Report Arun Kejariwal CS229 Project Report Abstract Elasticity of cloud assists in achieving availability of web applicatis by scaling up a cluster as incoming traffic increases and keep operatial costs under

More information

Monitoring and Operating a Private Cloud with System Center 2012 (10750) H7G37S

Monitoring and Operating a Private Cloud with System Center 2012 (10750) H7G37S HP Education Services course data sheet Monitoring and Operating a Private Cloud with System Center 2012 (10750) H7G37S Course Overview In this course, you will receive an overview of a private cloud infrastructure,

More information

Installing and Configuring Windows Server 2012 (20410) H4D00S

Installing and Configuring Windows Server 2012 (20410) H4D00S HP Education Services course data sheet Installing and Configuring Windows Server 2012 (20410) H4D00S Course Overview This course is part one of a series of three courses. Through this series you will

More information

HP LeftHand SAN Solutions

HP LeftHand SAN Solutions HP LeftHand SAN Solutions Support Document Applications Notes Best Practices for Using SolarWinds' ORION to Monitor SANiQ Performance Legal Notices Warranty The only warranties for HP products and services

More information

An Oracle White Paper September 2013. Advanced Java Diagnostics and Monitoring Without Performance Overhead

An Oracle White Paper September 2013. Advanced Java Diagnostics and Monitoring Without Performance Overhead An Oracle White Paper September 2013 Advanced Java Diagnostics and Monitoring Without Performance Overhead Introduction... 1 Non-Intrusive Profiling and Diagnostics... 2 JMX Console... 2 Java Flight Recorder...

More information

QuickSpecs. Models HP 750GB 7200rpm SATA (NCQ/Smart IV) 3Gbp/s Hard Drive

QuickSpecs. Models HP 750GB 7200rpm SATA (NCQ/Smart IV) 3Gbp/s Hard Drive Overview Models HP 1TB 7200rpm SATA (NCQ/Smart IV) 6Gbp/s Hard Drive HP 750GB 7200rpm SATA (NCQ/Smart IV) 6Gbp/s Hard Drive HP 500GB 7200rpm SATA (NCQ/Smart IV) 6Gbp/s Hard Drive HP 1-TB SATA (NCQ/Smart

More information

QuickSpecs. HP StorageWorks Direct Backup Engine for Tape Libraries. Extended Tape Library Architecture (ETLA) Family. Models.

QuickSpecs. HP StorageWorks Direct Backup Engine for Tape Libraries. Extended Tape Library Architecture (ETLA) Family. Models. Overview The HP StorageWorks Direct Backup Engine software advanced feature option provides increased performance and lower costs in backup environments by reducing server resource loading and optimizing

More information

Models 300GB SAS 15K rpm 6Gb/s 3.5" HDD HP 900GB SAS 10K SFF HDD HP 1.2TB SAS 10K SFF HDD

Models 300GB SAS 15K rpm 6Gb/s 3.5 HDD HP 900GB SAS 10K SFF HDD HP 1.2TB SAS 10K SFF HDD Overview Introduction HP SAS (Serial Attached SCSI) HDDs (Hard Drives) are high-performance, enterprise class hard drives, which are alternative to SATA hard drives. SAS hard drives combine faster data

More information

QuickSpecs. PCIe Solid State Drives for HP Workstations

QuickSpecs. PCIe Solid State Drives for HP Workstations Introduction Storage technology with NAND media is outgrowing the bandwidth limitations of the SATA bus. New high performance Storage solutions will connect directly to the PCIe bus for revolutionary performance

More information

JBoss Cookbook: Secret Recipes. David Chia Senior TAM, JBoss May 5 th 2011

JBoss Cookbook: Secret Recipes. David Chia Senior TAM, JBoss May 5 th 2011 JBoss Cookbook: Secret Recipes David Chia Senior TAM, JBoss May 5 th 2011 Secret Recipes Byteman Cluster and Load Balancing Configuration Generator Troubleshooting High CPU Mocking a JBoss Hang State Byte

More information

Tunable Base Page Size

Tunable Base Page Size Tunable Base Page Size Table of Contents Executive summary... 1 What is Tunable Base Page Size?... 1 How Base Page Size Affects the System... 1 Integrity Virtual Machines Platform Manager... 2 Working

More information

Trace-Based and Sample-Based Profiling in Rational Application Developer

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

More information

HP Real User Monitor. Release Notes. For the Windows and Linux operating systems Software Version: 9.21. Document Release Date: November 2012

HP Real User Monitor. Release Notes. For the Windows and Linux operating systems Software Version: 9.21. Document Release Date: November 2012 HP Real User Monitor For the Windows and Linux operating systems Software Version: 9.21 Release Notes Document Release Date: November 2012 Software Release Date: November 2012 Legal Notices Warranty The

More information

HP LoadRunner. Software Version: 11.00. Ajax TruClient Tips & Tricks

HP LoadRunner. Software Version: 11.00. Ajax TruClient Tips & Tricks HP LoadRunner Software Version: 11.00 Ajax TruClient Tips & Tricks Document Release Date: October 2010 Software Release Date: October 2010 Legal Notices Warranty The only warranties for HP products and

More information

Performance Monitoring API for Java Enterprise Applications

Performance Monitoring API for Java Enterprise Applications Performance Monitoring API for Java Enterprise Applications Purpose Perfmon4j has been successfully deployed in hundreds of production java systems over the last 5 years. It has proven to be a highly successful

More information

Azul Pauseless Garbage Collection

Azul Pauseless Garbage Collection TECHNOLOGY WHITE PAPER Azul Pauseless Garbage Collection Providing continuous, pauseless operation for Java applications Executive Summary Conventional garbage collection approaches limit the scalability

More information

Adobe LiveCycle Data Services 3 Performance Brief

Adobe LiveCycle Data Services 3 Performance Brief Adobe LiveCycle ES2 Technical Guide Adobe LiveCycle Data Services 3 Performance Brief LiveCycle Data Services 3 is a scalable, high performance, J2EE based server designed to help Java enterprise developers

More information

HP ProLiant BL660c Gen9 and Microsoft SQL Server 2014 technical brief

HP ProLiant BL660c Gen9 and Microsoft SQL Server 2014 technical brief Technical white paper HP ProLiant BL660c Gen9 and Microsoft SQL Server 2014 technical brief Scale-up your Microsoft SQL Server environment to new heights Table of contents Executive summary... 2 Introduction...

More information

HP OpenView AssetCenter

HP OpenView AssetCenter HP OpenView AssetCenter Software version: 5.0 Integration with software distribution tools Build number: 50 Legal Notices Warranty The only warranties for HP products and services are set forth in the

More information

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. 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

More information

QuickSpecs. What's New HP 750GB 1.5G SATA 7.2K 3.5" Hard Disk Drive. HP Serial-ATA (SATA) Hard Drive Option Kits. Overview

QuickSpecs. What's New HP 750GB 1.5G SATA 7.2K 3.5 Hard Disk Drive. HP Serial-ATA (SATA) Hard Drive Option Kits. Overview Overview HP offers a variety of tested, HP-qualified, SMART* capable, SATA Hard Drives offering data integrity and availability in hotpluggable models. HP 3.5" and Small Form Factor (2.5") SATA drives

More information

Intel Rapid Start Technology (FFS) Guide

Intel Rapid Start Technology (FFS) Guide Intel Rapid Start Technology (FFS) Guide Technical white paper Table of contents Intel Rapid Start Technology (FFS) Guide... 2 Product Definition... 2 Requirements... 2 Enabling Intel Rapid Start Technology...

More information

HP ThinPro. Table of contents. Connection Configuration for RDP Farm Deployments. Technical white paper

HP ThinPro. Table of contents. Connection Configuration for RDP Farm Deployments. Technical white paper Technical white paper HP ThinPro Connection Configuration for RDP Farm Deployments Table of contents Introduction... 2 Obtaining the Load Balance Information URL... 2 Single farm deployments... 2 Multiple

More information

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. 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

More information

How To Improve Performance On An Asa 9.4 Web Application Server (For Advanced Users)

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

More information

QuickSpecs. What's New. Models. ProLiant Essentials Server Migration Pack - Physical to ProLiant Edition. Overview

QuickSpecs. What's New. Models. ProLiant Essentials Server Migration Pack - Physical to ProLiant Edition. Overview Overview Upgrading or replacing your existing server? Migration is now an option! Replicate the server you are replacing using the software, the only product of its kind from a server vendor that provides

More information

11.1 inspectit. 11.1. inspectit

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.

More information

HP OpenView Application Readiness Program Data sheet

HP OpenView Application Readiness Program Data sheet HP OpenView Application Readiness Program Data sheet The HP OpenView Application Readiness Program enables implementation partners (HP consulting, value-added resellers and system integrators) to leverage

More information

HP Remote Support Software Manager

HP Remote Support Software Manager HP Remote Support Software Manager Configuration, Usage and Troubleshooting Guide for Insight Remote Support HP Part Number: 5992-6301 Published: January 2009, Edition 1 Copyright 2009 Hewlett-Packard

More information

QuickSpecs. Models PC3-10600 Memory SODIMMs HP 8 GB PC3-12800 (DDR3 1600 MHz) SODIMM (To be discontinued in 9/30/2013)

QuickSpecs. Models PC3-10600 Memory SODIMMs HP 8 GB PC3-12800 (DDR3 1600 MHz) SODIMM (To be discontinued in 9/30/2013) Models PC3-10600 Memory s HP 2 GB PC3- (To be discontinued in 9/30/2013) HP 4 GB PC3- (To be discontinued in 9/30/2013) HP 8 GB PC3- (To be discontinued in 9/30/2013) HP 2GB DDR3L HP 4GB DDR3L HP 8GB DDR3L

More information

Protect Microsoft Exchange databases, achieve long-term data retention

Protect Microsoft Exchange databases, achieve long-term data retention Technical white paper Protect Microsoft Exchange databases, achieve long-term data retention HP StoreOnce Backup systems, HP StoreOnce Catalyst, and Symantec NetBackup OpenStorage Table of contents Introduction...

More information

PC Based Escape Analysis in the Java Virtual Machine

PC Based Escape Analysis in the Java Virtual Machine PC Based Escape Analysis in the Java Virtual Machine Manfred Jendrosch, Gerhard W. Dueck, Charlie Gracie, and AndréHinkenjann Abstract Current computer architectures are multi-threaded and make use of

More information

SAP Sybase Adaptive Server Enterprise Shrinking a Database for Storage Optimization 2013

SAP Sybase Adaptive Server Enterprise Shrinking a Database for Storage Optimization 2013 SAP Sybase Adaptive Server Enterprise Shrinking a Database for Storage Optimization 2013 TABLE OF CONTENTS Introduction... 3 SAP Sybase ASE s techniques to shrink unused space... 3 Shrinking the Transaction

More information

HP OpenView Service Desk Process Insight 2.10 software

HP OpenView Service Desk Process Insight 2.10 software HP OpenView Service Desk Process Insight 2.10 software Data sheet HP OpenView Service Desk Process Insight software provides real-time visibility into the ITIL processes managed by your HP OpenView Service

More information

HP Remote Monitoring. How do I acquire it? What types of remote monitoring tools are in use? What is HP Remote Monitoring?

HP Remote Monitoring. How do I acquire it? What types of remote monitoring tools are in use? What is HP Remote Monitoring? HP Remote Monitoring HP Remote Monitoring is an efficient, secure means of collecting and reporting usage data from your printing and imaging output environment. What is HP Remote Monitoring? HP Remote

More information

Monitoring HP OO 10. Overview. Available Tools. HP OO Community Guides

Monitoring HP OO 10. Overview. Available Tools. HP OO Community Guides HP OO Community Guides Monitoring HP OO 10 This document describes the specifications of components we want to monitor, and the means to monitor them, in order to achieve effective monitoring of HP Operations

More information

WebSphere Architect (Performance and Monitoring) 2011 IBM Corporation

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)

More information

Memory Allocation. Static Allocation. Dynamic Allocation. Memory Management. Dynamic Allocation. Dynamic Storage Allocation

Memory Allocation. Static Allocation. Dynamic Allocation. Memory Management. Dynamic Allocation. Dynamic Storage Allocation Dynamic Storage Allocation CS 44 Operating Systems Fall 5 Presented By Vibha Prasad Memory Allocation Static Allocation (fixed in size) Sometimes we create data structures that are fixed and don t need

More information

General Introduction

General Introduction Managed Runtime Technology: General Introduction Xiao-Feng Li (xiaofeng.li@gmail.com) 2012-10-10 Agenda Virtual machines Managed runtime systems EE and MM (JIT and GC) Summary 10/10/2012 Managed Runtime

More information

CA Nimsoft Monitor. Probe Guide for Internet Control Message Protocol Ping. icmp v1.1 series

CA Nimsoft Monitor. Probe Guide for Internet Control Message Protocol Ping. icmp v1.1 series CA Nimsoft Monitor Probe Guide for Internet Control Message Protocol Ping icmp v1.1 series CA Nimsoft Monitor Copyright Notice This online help system (the "System") is for your informational purposes

More information

Understanding Server Configuration Parameters and Their Effect on Server Statistics

Understanding Server Configuration Parameters and Their Effect on Server Statistics Understanding Server Configuration Parameters and Their Effect on Server Statistics Technical Note V2.0, 3 April 2012 2012 Active Endpoints Inc. ActiveVOS is a trademark of Active Endpoints, Inc. All other

More information

HP Embedded SATA RAID Controller

HP Embedded SATA RAID Controller HP Embedded SATA RAID Controller User Guide Part number: 391679-002 Second Edition: August 2005 Legal notices Copyright 2005 Hewlett-Packard Development Company, L.P. The information contained herein is

More information

The professional advantage: Quadro versus GeForce

The professional advantage: Quadro versus GeForce Technical white paper The professional advantage: versus For most workstation customers, NVIDIA s professional graphics cards provide significant additional value compared to consumer graphics cards. cards

More information

Updating Your SQL Server Skills to Microsoft SQL Server 2014 (10977) H8B96S

Updating Your SQL Server Skills to Microsoft SQL Server 2014 (10977) H8B96S HP Education Services course data sheet Updating Your SQL Server Skills to Microsoft SQL Server 2014 (10977) H8B96S Course Overview In this course, you will learn how to use SQL Server 2014 product features

More information

A closer look at HP LoadRunner software

A closer look at HP LoadRunner software Technical white paper A closer look at HP LoadRunner software Table of contents Sizing up the system 2 The limits of manual testing 2 A new take on testing: the HP LoadRunner solution 3 The HP LoadRunner

More information

Business white paper. Top ten reasons to automate your IT processes

Business white paper. Top ten reasons to automate your IT processes Business white paper Top ten reasons to automate your IT processes Table of contents 4 Data center management trends and tools 4 Today s challenge 4 What is next? 5 Automating the remediation of incidents

More information