XenServer Performance Monitoring for Scalability Testing
|
|
|
- Annis Richard
- 10 years ago
- Views:
Transcription
1 WHITE PAPER Citrix XenServer 5.5 XenServer Performance Monitoring for Scalability Testing This informational whitepaper provides an overview of performance monitoring tools and techniques for XenServer and a description of scripting methods to gather customized performance metrics.
2 Contents Overview... 3 Resource Monitoring on XenServer... 3 Creating a Performance Monitoring Script... 4 Controlling and Monitoring a XenServer Environment for Performance Testing Additional Performance Monitoring Utilities Summary Appendix A: Sample XenServer Performance Monitoring Bash Script References Page 2
3 Overview Citrix XenServer is used widely as a high-performance server and desktop hardware virtualization solution for both large and small organizations. Citrix XenServer s management application, XenCenter, is used to monitor the performance of an environment in real-time and historically. For performance and scalability testing purposes, a more-customized log of XenServer performance may be necessary. Citrix Worldwide Consulting Solutions conducts in-house, cross-product scalability and performance testing to provide guidance to customers. This document is a result of such efforts and provides an overview of the different ways of monitoring XenServer resource utilization for testing purposes, as well as a sample template for creating customized scripts. Resource Monitoring on XenServer The two most common means of monitoring the performance of XenServer are using XenCenter and running scripts from the XenServer command line interface (CLI). An overview of these two methods is given in this section. Using XenCenter to Collect Performance Data Citrix XenServer provides the ability to monitor important system resources of the hosting infrastructure servers and virtual machines in real-time from XenCenter, which is a graphical user interface (GUI) used for administrative purposes. Performance data about each XenServer is automatically collected about itself by default and displayed within XenCenter. XenServer also collects performance data for each virtual machine that it is hosting. Statistics are gathered and stored at different granularities: 5 seconds for the past 10 minutes, 1 minute for the past 2 hours, 1 hour for the past week and 1 day for the past year. Figure 1: XenServer Performance Information as viewed in XenCenter Page 3
4 This performance data is also used as part of the Dynamic Workload Balancing feature of Essentials for XenServer, which ensures optimal utilization of physical resource pools for balancing virtual workloads. Upgrading to Essentials for XenServer allows administrators to best plan and enhance a XenServer environment, simply by viewing intelligent host recommendations within XenCenter. The information displayed by XenCenter offers an informative glance at the performance of a XenServer for administrative purposes, but may be unwieldy for use cases such as refined performance testing or customized historical trending. The data cannot be readily exported, the granularity cannot be easily changed and some types of information are not gathered. The remaining sections of this document describe alternative means of achieving these goals. Using the XenServer CLI for Performance Data Capture The XenServer command-line interface (CLI) offers the ability to query the hypervisor for performance information about itself and to use standard Linux tools and utilities to draw performance data, as well. There are many more types of performance data that can be acquired from the XenServer CLI than from XenCenter. This is especially useful during performance and scalability testing for capturing customized sources of data and recording fine-grained results for later analysis. This document describes the various ways that this can be accomplished, including creating a customized performance monitoring script and using both built-in and third-party tools and utilities. Creating a Performance Monitoring Script This section describes the pre-requisite knowledge needed in order to create a monitoring script for XenServer in order to capture customized performance data. Scripting examples and XenServer CLI outputs are shown for a better understanding of these topics. A sample script template is also provided that can be tailored for customized XenServer performance data collection. Overview of Bash Scripting The XenServer command line interface (CLI) is a Linux Bash shell that interprets both Linux and XenServer-specific commands, and also allows for the creation of variables, loops and basic programming functions. A Bash script is simply a text file that the XenServer s Bash shell interprets line-by-line. XenServer commands that display performance statistics can be integrated into a simple Bash script to provide a customized, lightweight monitoring capability for any XenServer. The remainder of this section describes the pre-requisite knowledge and creation of a basic Bash script that monitors a XenServer s CPU, memory and network interface card (NIC) resources. Page 4
5 Familiarity with using a Linux/UNIX prompt and the built-in vi text editor, or other text editor, is recommended. Creating and Executing a Bash Script As previously mentioned, a Bash script is a plain text file that the XenServer CLI interprets line-byline for execution, as if text commands were entered directly into the Linux shell. A Bash script should be saved with a.sh file extension. Bash scripts can be run on the XenServer CLI by typing sh followed by the filename. Should a Bash script fail to complete on its own, it can be stopped with Ctrl-C on the keyboard. The following example demonstrates the execution of a Bash script from the XenServer CLI. Input Command [root@fll1sv010 ~]# sh utilisation.sh Resulting Output "Time","Processor 0","Processor 1","Processor 2","Processor3","Memory Bytes Used","Eth0 Bytes Sent","Eth0 Bytes Received" "17:23:00","0.045","0.000","0.000","0.000"," "," "," " "17:23:10","0.066","0.000","0.000","0.000"," "," "," " "17:23:20","0.004","0.000","0.000","0.000"," "," "," " <metrics continue until Ctrl-C is pressed> Figure 2: Running the Performance Monitoring Bash Script Selecting Applicable Performance Metrics The most common types of performance metrics can be gathered from XenServer in a straightforward manner. XenServer automatically collects a variety of performance data on both physical hosts and virtual machines. Data on resources such as CPU, memory and network interface cards (NIC) are readily available for both physical hosts and virtual machines and can be gathered by creating queries on the XenServer CLI. The data-source methods can be performed on both hosts and virtual machines for gathering such data. XenServer documentation, as shown in the References section, describes all of the available commands that can be used for such purposes, but the example in Figure 3 demonstrates how to query the XenServer for a list of available metrics for hosts and virtual machines. Page 5
6 In the example below, the xe host-data-source-list command is used to display the available performance statistics that can be retrieved for the XenServer host, which is named fllsv010. Information such as CPU, memory, NIC data and more are displayed as a result of using this command so that they can then be incorporated into a customized metrics script. Input Command [root@fll1sv010 ~]# xe host-data-source-list Resulting Output name_label: vbd_hda_write_latency name_description: Reads from device 'hda' in microseconds enabled: false standard: false min: max: nan units: microseconds name_label: cpu0 name_description: Physical cpu usage for cpu 0 enabled: true standard: true min: max: <metrics continue > Figure 3: XenServer CLI Querying of Performance Data The example above is specific to a XenServer host, but the same syntax can also be used to gather the available performance statistics for a virtual machine. The xe vm-data-source-list command can be performed on a particular virtual machine to find the list of available metrics. The outputs of these and other queries can be included in a script to poll the XenServer or virtual machine for data at specific intervals. This process is described in the remainder of this document. Creating Variables and Loops for Continuous Metric Polling In order to capture and store data from XenServer, variables and programming loops must be used within a script. The script excerpt contained in the next figure is provided for demonstrating these concepts, followed by an explanation. Page 6
7 5 count=0 6 #set up a never-ending loop 7 while [ $count -lt 2 ] 8 do 9 #refresh all data... <script continues>... memused'","'$pifeth0sent'","'$pifeth0received'"' >> \perflogxs.csv sleep 10 35#count=$(($count + 1)) 36 done Figure 4: Do-While Loop Example The loop used in the example above is a do-while loop, which begins on line 7 and ends on line 36. The count variable is used to keep track of the number of iterations the loop has been through and is first created and set to zero on line 5. The conditions for either continuing or ending this loop are set on line 7. As seen on line 7, as long as the variable count is less than the number two, the loop will run. These conditions could be altered so that the loop runs a finite number of times, before ceasing, by manipulating the starting variable count on line 5, the number two on line 7 and the commented section on line 35, which increments the count variable each iteration through the loop. Lines 34 through 36 complete this loop. Line 36 marks the end of the loop with the done statement. The # character at the start of a line is a comment and indicates that the line should not be executed on the XenServer command line. The # can be removed on line 35 in order to increment the count variable so as to end the running of this script automatically. Line 34 uses the sleep command to pause the loop for ten seconds. The number 10 can be changed for any number of seconds in order to set the desired polling interval. Using these basic variables and loops can be useful in scripting for accomplishing the tasks necessary to record and manipulate XenServer performance data, as shown in the successive sections of this document. Retrieving the Output of XenServer CLI Commands Some XenServer CLI commands require inputs that are unique to each individual XenServer host or virtual machine. These properties must first be gathered, before being entered into such a script. In the example script given in this section, the storing of command line outputs is demonstrated in this context. In the script excerpt below, the universal unique identifiers (UUID) of the physical CPU cores are required as inputs to several XenServer commands. The UUIDs are first gathered using the xe Page 7
8 host-cpu-list command for use in XenServer CLI resource utilization query commands. On line 14 of this script, a sample of the CPU utilization of the physical core numbered zero is calculated using the xe host-cpu-param-get command, as shown below. The output of this sample is stored in the variable procutil0 and is later retrieved for outputting to the CSV file on line 32. The formatting of each of these operations should be noted, including the parentheses, single and double quotation marks and $ characters. This method of storing and retrieving resource utilization samples is used extensively in such scripting. 13 #calculates processor utilisation, uuid's hard-coded 14 procutil0="$(xe host-cpu-param-get uuid=96af1333-fe7a-fdd8-28f1- e04e43e96319 param-name=utilisation)" 15 procutil1="$(xe host-cpu-param-get uuid=d90731d8-383f b0-3865e07f7207 param-name=utilisation)" 16 procutil2="$(xe host-cpu-param-get uuid=a50dc576-76f4-68ee-5bb2-989c784263bd param-name=utilisation)" 17 procutil3="$(xe host-cpu-param-get uuid=9c1d1068-e68c-2e ba param-name=utilisation)" <script continues> echo '"'$datevar'","'$procutil0'","'$procutil1'","'$procutil2'","'$procutil3'"," '$memused'","'$pifeth0sent'","'$pifeth0received'"' >> \perflogxs.csv Figure 5: Using Variables and Retrieving CLI Data Creating an Output File of the Metrics Performance metrics that are outputted to the XenServer console, as shown in the previous example, can be stored to a log file for later use. The command-line entry shown below demonstrates this functionality. In this example, xe host-data-source-list > out.txt, stores the output of the data-source query command to a text file that can be read using a text editor for easy viewing. The built-in Linux utility, vi, is then used to view the file. Input Command [root@fll1sv010 ~]# xe host-data-source-list > out.txt Input Command [root@fll1sv010 ~]# vi out.txt Figure 6: XenServer CLI commands for File Output and Viewing Page 8
9 Example Scripts The information used in the previous sections can be used to create a basic monitoring script for XenServer, as shown in the example in this section. This example script is provided as a template for expansion to suit the needs of performance and scalability testing. The script outputs the CPU utilization of four physical cores, the memory usage, and the physical network adapter usage. This information is formatted and stored as a CSV file, which can be used for analysis and graphing. Scripts such as these are especially useful for creating customized graphs that combine information about both hosts and virtual machines side-by-side. The sample script is shown below in its entirety with line numbers designated on the left side. Comments and lines that are not executed on the command line begin with a # character or are simply left blank. Variables are created by using an = character and are retrieved by using the $ character. The echo command outputs information to the screen, and the > and >> character entries send output to a file (overwrite and append, respectively). Each line is executed in succession on the XenServer CLI as if it were inputted manually by a user, as described previously. Page 9
10 1 #define the column titles of the CSV file here, overwrite if need be 2 echo '"Time","Processor Zero","Processor One","Processor Two","Processor Three","Memory Bytes Used","Eth0 Bytes Sent","Eth0 Bytes Received"' > perflogxs.csv 3 echo '"Time","Processor Zero","Processor One","Processor Two","Processor Three","Memory Bytes Used","Eth0 Bytes Sent","Eth0 Bytes Received"' 4 echo "" 5 count=0 6 #set up a never-ending loop 7 while [ $count -lt 2 ] 8 do 9 #refresh all data 10 #calculates date & time for the current sample 11 datevar="$(date +'%H:%M:%S')" #calculates processor utilisation, uuid's hard-coded 14 procutil0="$(xe host-cpu-param-get uuid=96af1333-fe7a-fdd8-28f1- e04e43e96319 param-name=utilisation)" 15 procutil1="$(xe host-cpu-param-get uuid=d90731d8-383f b0-3865e07f7207 param-name=utilisation)" 16 procutil2="$(xe host-cpu-param-get uuid=a50dc576-76f4-68ee-5bb2-989c784263bd param-name=utilisation)" 17 procutil3="$(xe host-cpu-param-get uuid=9c1d1068-e68c-2e ba param-name=utilisation)" #calculates memory utilisation by subtracting bytes free from bytes total 20 memfree="$(xe host-list params=memory-free --minimal)" 21 memtotal="$(xe host-list params=memory-total --minimal)" 22 memused=$(($memtotal - $memfree)) #retrieves NIC bytes sent/received 25 pifeth0sent="$(xe host-data-source-query datasource=pif_eth0_tx)" 26 pifeth0received="$(xe host-data-source-query datasource=pif_eth0_rx)" #now output to screen 29 echo '"'$datevar'","'$procutil0'","'$procutil1'","'$procutil2'","'$procutil3'"," '$memused'","'$pifeth0sent'","'$pifeth0received'"' #now append to the file 32 echo '"'$datevar'","'$procutil0'","'$procutil1'","'$procutil2'","'$procutil3'"," '$memused'","'$pifeth0sent'","'$pifeth0received'"' >> \perflogxs.csv sleep #count=$(($count + 1)) 36 done Figure 7: Basic XenServer Resource Monitoring Bash Script Page 10
11 Other Types of Scripting Performance monitoring on XenServer is not limited to scripting on the XenServer CLI, but can also be attained by using more advanced methods. Many of the built-in Linux tools are written and compiled in a variety of programming languages. Creating more robust monitoring programs typically requires computer programming knowledge, such as that in Python, Perl, C or others. Using these methods require much more time and effort, but may provide greater functionality in circumstances where: Tighter shell integration or better performance is more beneficial Enhanced text editing or I/O formatting is needed Monitoring multiple XenServers or virtual machines requires more efficient coding practices Many such programming languages can be interpreted and compiled on XenServer. Controlling and Monitoring a XenServer Environment for Performance Testing Executing a performance monitoring script on a single XenServer and retrieving the results is straight-forward, but conducting such a task across multiple XenServers presents its challenges. This section describes additional considerations for such a scenario and tools that can be of assistance. Environment Considerations The performance monitoring script template shown in this document does not consume noticeable physical resources to run on a XenServer. However, additional computing overhead may occur if the polling frequency is increased or if additional machine data is collected. Observations should be taken to ensure that such monitoring scripts do not impacting the systems under test. Another consideration for a test environment is to ensure that all of the XenServers have synced system clocks so that data from the different sources can be overlaid properly during interpretation and analysis. XenServer supports Network Time Protocol (NTP) syncing, which can be set up from the XenServer CLI or console. Similarly-formatted data files and formats are also prudent in this regard. Page 11
12 Retrieving and Moving Log Files By default, XenServer can be accessed with a command-line interpreter and a file transfer client. To upload and download scripts and log files from a XenServer, two freely-available utilities are most often used: WinSCP and FileZilla. These two clients utilize the Secure Shell protocol to log into a XenServer and use the SCP and SFTP file transfer protocols to upload and download files. Links to download these utilities are available in the References section of this document. To move files directly between different XenServers in an environment, there is a built-in Linux utility on XenServer called secure copy, which is a remote file copy program. This program uses SSH to log into another XenServer and upload or download files. More information about this utility and instructions on how to use it can be found by typing man scp on the XenServer CLI. An example of using SCP to upload a file to another XenServer can be seen in the example below: Input Command [root@fll1sv010 ~]# scp perflogxs.csv root@ :/root/ Resulting Output perflogxs.csv 100% KB/s 00:00 Figure 8: Using the Linux SCP Utility for File Transfer between XenServers Executing Scripts on Multiple XenServers There are several methods of executing commands and running scripts on many XenServers in an environment. One simple method of enabling script execution simultaneously on different XenServers is to put the XenServers in the same pool and then modify the script to include the names of the hosts. Another easy method is to use the cron Linux utility on each XenServer, which can schedule execution of the script at a specific time. A third method of executing scripts on multiple XenServer simultaneously is to script SSH logins to each XenServer within a script. Using a password-free login can be set up for this so as to streamline remote script execution. For increased control and flexibility on any number of XenServers, third-party tools can be used. One such tool that has been used successfully by Citrix Consulting to log into multiple XenServers simultaneously and initiate scripts is called Capistrano, which can be downloaded freely. A link is contained in the References section of this document and an example of the use of Capistrano is shown below. Page 12
13 Figure 9: Using a Third-Party Utility for Simultaneous Script Execution across XenServers In the example above, the Capistrano shell is being utilized to access multiple XenServers from a centralized CLI. The on command is followed by the IP address of each XenServer where the command will be executed. Following all the XenServer IP addresses is the actual command that will be executed on each server simultaneously. It should be mentioned that if the administrator is executing a script on all the servers utilizing the Capistrano shell, the script needs to be located in the same folder structure for every server. Additional Performance Monitoring Utilities Built-in Linux Utilities XenServer is built on the Linux operating system, which comes with pre-installed, command-line resource monitoring utilities that can be exceptionally valuable. The following list provides several examples of useful utilities for performance testing that are built-into the XenServer Linux distribution: mpstat reports processor-related statistics vmstat reports virtual memory statistics netstat reports network-related statistics iostat reports input/output statistics for devices and partitions The types of data that can be drawn from these utilities and others can be customized to suit the needs of performance testing, should more precision be needed. Listed below are a few useful examples of Linux CLI entries that may be of help during performance and scalability testing on a XenServer. Find read/write statistics to/from NFS directory: iostat -n Output detailed packet information for TCP and UDP traffic: netstat -s Page 13
14 View the XenServer processor queue length: sar -q 1 0 These utilities can be individually used to poll the XenServer for such statistics and output to the screen in real-time. The following examples show the iostat tool used to output disk I/O statistics and the mpstat tool used to output CPU statistics. Input Command [root@fll1sv010 ~]# iostat 5 Resulting Output Linux el5.xs xen (fll1sv010) 10/12/2009 avg-cpu: %user %nice %system %iowait %steal %idle Device: tps Blk_read/s Blk_wrtn/s Blk_read Blk_wrtn cciss/c0d cciss/c0d0p cciss/c0d0p cciss/c0d0p dm <output continues> Figure 10: Resource Monitoring with the Built-in Linux Tool iostat Input Command [root@fll1sv010 ~]# mpstat 5 Resulting Output Linux el5.xs xen (fll1sv010) 10/12/ :11:23 PM CPU %user %nice %sys %iowait %irq %soft %steal %idle intr/s 03:11:28 PM all :11:33 PM all :11:38 PM all :11:43 PM all :11:48 PM all :11:53 PM all <output continues> Figure 11: Resource Monitoring with the Built-in Linux Tool mpstat Page 14
15 Third-Party Resource Monitoring Utilities There are a variety of freely-available tools that can be downloaded and installed on XenServer. Although doing so may modify the XenServer in a manner that could make it unsupported, these tools may offer increased flexibility for testing purposes by: Providing resource information that was previously irretrievable by the XenServer CLI commands or by built-in Linux utilities. Returning statistics in a more-easily digestible format for data analysis, such as in the form of a spreadsheet or a particular database-format file, without the need for Linux scripting know-how or script customization. One such utility that has been successfully used for recording XenServer performance statistics is called dstat, which can be downloaded freely. The following two commands can be used in succession to download and install the dstat tool from a third-party, non-citrix-associated, online repository and install it automatically on XenServer: 1. rpm -Uhv 2. yum install dstat The installation of dstat can be found in the following example, which shows a screen capture of the XenServer CLI while performing these tasks. Page 15
16 ~]# rpm -Uhv warning: /var/tmp/rpm-xfer.3tdoiq: Header V3 DSA signature: NOKEY, key ID 6b8d79e6 Preparing... ########################################### [100%] 1:rpmforge-release ########################################### [100%] ~]# yum install dstat Loading "fastestmirror" plugin Determining fastest mirrors * rpmforge: apt.sw.be * citrix: updates.vmd.citrix.com rpmforge 100% ========================= 1.1 kb 00:00 primary.xml.gz 100% ========================= 3.5 MB 00:55 rpmforge : ################################################## 9615/9615 citrix 100% ========================= 951 B 00:00 primary.xml.gz 100% ========================= 237 B 00:00 Setting up Install Process Parsing package install arguments Resolving Dependencies --> Running transaction check ---> Package dstat.noarch 0: el5.rf set to be updated --> Finished Dependency Resolution Dependencies Resolved ============================================================================= Package Arch Version Repository Size ============================================================================= Installing: dstat noarch el5.rf rpmforge 192 k Transaction Summary ============================================================================= Install 1 Package(s) Update 0 Package(s) Remove 0 Package(s) Total download size: 192 k Is this ok [y/n]: y Downloading Packages: (1/1): dstat el5. 100% ========================= 192 kb 00:03 Running rpm_check_debug Running Transaction Test Finished Transaction Test Transaction Test Succeeded Running Transaction Installing: dstat ######################### [1/1] Installed: dstat.noarch 0: el5.rf Complete! Figure 12: Third-Party Resource Monitoring Tool Installation Page 16
17 The next example demonstrates the use of dstat, which aggregates and records data to CSV file format from various, built-in Linux utilities, such as iostat and mpstat. In this example, CPU, physical disk, network interface card and memory statistics are polled every second and outputted to both the screen and to the CSV file. Third-party tools such as these are especially useful for being able to quickly set up a robust, lightweight monitoring capability, albeit potentially in an unsupported fashion. Input Command [root@fll1sv011 ~]# dstat --output PerformanceOutput.csv Resulting Output ----total-cpu-usage---- -dsk/total- -net/total- ---paging-- ---system-- usr sys idl wai hiq siq read writ recv send in out int csw B 18k B 2570B B 998B <output continues> Figure 13: Resource Monitoring using the Third-Party Tool dstat Summary Analyzing the performance of XenServer for scalability and testing purposes is best achieved through the use of Bash scripts, built-in Linux utilities and third-party tools. The information contained in this document provides the reader with a foundation of knowledge in accomplishing this goal. Page 17
18 Appendix A: Sample XenServer Performance Monitoring Bash Script The following Bash script has been used successfully by Citrix Consulting to monitor the CPU, memory and NIC utilization of a XenServer host. Line numbers are provided for easier viewing. 1 # Citrix Consulting 2 # This is a sample script that collects a XenServer's resource utilization 3 # and outputs it to a.csv file, which can be viewed and analyzed as a spreadsheet 4 # In this example, there are four CPU cores on the hardware, which means 5 # that four CPU UUID's must be found in order to gather CPU utilization for each 6 # This can be done by typing "xe host-cpu-list" on the command-line interface (CLI) 7 # The same must be done for the network adapters by typing "xe pif-list" on the CLI 8 # The output file will appear in the same directory, and is overwritten each time 9 # This script collects CPU, memory, and the number of running VMs every few seconds 10 # This script also collects network data, including bytes sent/received on NICs 11 # To change the sample rate, change "sleep" variable at the bottom of the script #define the column titles of the CSV file here 14 echo '"Time","Processor 0","Processor 1","Processor 2","Processor3","Memory Bytes Used","Eth0 Bytes Sent","Eth0 Bytes Received"' > perflogxs.csv 15 echo '"Time","Processor 0","Processor 1","Processor 2","Processor3","Memory Bytes Used","Eth0 Bytes Sent","Eth0 Bytes Received"' 16 echo "" 17 count=0 18 #set up a never-ending loop 19 while [ $count -lt 2 ] 20 do 21 #refresh all data 22 #calculates date & time for the current sample 23 datevar="$(date +'%H:%M:%S')" #calculates processor utilisation, uuid's hard-coded for now procutil0="$(xe host-cpu-param-get uuid=96af1333-fe7a-fdd8-28f1-e04e43e96319 param-name=utilisation)" 27 procutil1="$(xe host-cpu-param-get uuid=d90731d8-383f b0-3865e07f7207 param-name=utilisation)" 28 procutil2="$(xe host-cpu-param-get uuid=a50dc576-76f4-68ee-5bb2-989c784263bd param-name=utilisation)" 29 procutil3="$(xe host-cpu-param-get uuid=9c1d1068-e68c-2e ba param-name=utilisation)" #calculates memory utilisation by subtracting bytes free from bytes total 32 memfree="$(xe host-list params=memory-free --minimal)" 33 memtotal="$(xe host-list params=memory-total --minimal)" 34 memused=$(($memtotal - $memfree)) 35 Figure 14: Sample Performance Monitoring Script (Figure 1 of 2) Page 18
19 36 #retrieves NIC bytes sent/received 37 pifeth0sent="$(xe host-data-source-query data-source=pif_eth0_tx)" 38 pifeth0received="$(xe host-data-source-query data-source=pif_eth0_rx)" #now output to screen 41 echo '"'$datevar'","'$procutil0'","'$procutil1'","'$procutil2'","'$procutil3'","'$memuse d'","'$pifeth0sent'","'$pifeth0received'"' #now output to the file 44 echo '"'$datevar'","'$procutil0'","'$procutil1'","'$procutil2'","'$procutil3'","'$memuse d'","'$pifeth0sent'","'$pifeth0received'"' >> \perflogxs.csv sleep #count=$(($count + 1)) 48 done Figure 15: Sample Performance Monitoring Script (Figure 2 of 2) Page 19
20 References Capistrano: File transfer clients: FileZilla WinSCP Third-party Linux system monitoring utility dstat: XenServer Software Development Kit Guide: XenServer 5.5 Administrators Guide: Page 20
21 Revision Change Description Updated By Date 0.1 First draft Zachary Menegakis October 8, Quality Assurance Review Carisa Stringer October 13, Revision Consulting Solutions January 13, Final draft Zachary Menegakis February 5, 2010 About Citrix Citrix Systems, Inc. (NASDAQ:CTXS) is the leading provider of virtualization, networking and software as a service technologies for more than 230,000 organizations worldwide. It s Citrix Delivery Center, Citrix Cloud Center (C3) and Citrix Online Services product families radically simplify computing for millions of users, delivering applications as an on-demand service to any user, in any location on any device. Citrix customers include the world s largest Internet companies, 99 percent of Fortune Global 500 enterprises, and hundreds of thousands of small businesses and prosumers worldwide. Citrix partners with over 10,000 companies worldwide in more than 100 countries. Founded in 1989, annual revenue in 2008 was $1.6 billion Citrix Systems, Inc. All rights reserved. Citrix, Access Gateway, Branch Repeater, Citrix Repeater, HDX, XenServer, XenApp, XenDesktop and Citrix Delivery Center are trademarks of Citrix Systems, Inc. and/or one or more of its subsidiaries, and may be registered in the United States Patent and Trademark Office and in other countries. All other trademarks and registered trademarks are property of their respective owners. Page 21
WHITE PAPER Citrix XenServer: Virtual Machine Backup. Citrix XenServer. Virtual Machine Backup. www.citrix.com
WHITE PAPER Citrix XenServer: Virtual Machine Backup Citrix XenServer Virtual Machine Backup www.citrix.com Contents Introduction and Overview...3 Hot Backup Approaches...3 Agent Based Backup...3 Backend
Citrix XenServer: VM Protection and Recovery Quick Start Guide
Citrix XenServer: VM Protection and Recovery Quick Start Guide www.citrix.com Contents What is XenServer VM Protection and Recovery?... 3 Creating a VM Protection Policy... 3 Page 2 What is XenServer VM
Benchmarking Citrix XenDesktop using Login Consultants VSI
WHITE PAPER Citrix XenDesktop and Login VSI Benchmarking Citrix XenDesktop using Login Consultants VSI Configuration Guide www.citrix.com Contents Overview... 3 Login VSI Installation... 3 Login VSI 3
Citrix Lab Manager 3.6 SP 2 Quick Start Guide
WHITE PAPER Citrix Essentials for Microsoft Hyper-V Citrix Lab Manager 3.6 SP 2 Quick Start Guide www.citrix.com Contents Document Summary... 3 Preparation... 3 Architectural Review of Lab Manager... 3
High Availability for Citrix XenServer
WHITE PAPER Citrix XenServer High Availability for Citrix XenServer Enhancing XenServer Fault Tolerance with High Availability www.citrix.com Contents Contents... 2 Heartbeating for availability... 4 Planning
Advanced Memory and Storage Considerations for Provisioning Services
Advanced Memory and Storage Considerations for Provisioning Services www.citrix.com Contents Introduction... 1 Understanding How Windows Handles Memory... 1 Windows System Cache... 1 Sizing Memory for
WHITE PAPER Citrix XenDesktop XenDesktop Planning Guide: Load Balancing Web Interface with NetScaler
WHITE PAPER Citrix XenDesktop XenDesktop Planning Guide: Load Balancing Web Interface with NetScaler www.citrix.com Overview Citrix Web Interface is a common method of connecting to both XenApp and XenDesktop.
Improved metrics collection and correlation for the CERN cloud storage test framework
Improved metrics collection and correlation for the CERN cloud storage test framework September 2013 Author: Carolina Lindqvist Supervisors: Maitane Zotes Seppo Heikkila CERN openlab Summer Student Report
Citrix StoreFront 2.0
White Paper Citrix StoreFront 2.0 Citrix StoreFront 2.0 Proof of Concept Implementation Guide www.citrix.com Contents Contents... 2 Introduction... 3 Architecture... 4 Installation and Configuration...
Consulting Solutions WHITE PAPER Citrix XenDesktop Citrix Personal vdisk Technology Planning Guide
Consulting Solutions WHITE PAPER Citrix XenDesktop Citrix Personal vdisk Technology Planning Guide www.citrix.com Overview XenDesktop offers IT administrators many options in order to implement virtual
High Availability for Citrix XenApp
WHITE PAPER Citrix XenApp High Availability for Citrix XenApp Enhancing XenApp Availability with NetScaler Reference Architecture www.citrix.com Contents Contents... 2 Introduction... 3 Desktop Availability...
Citrix XenServer Workload Balancing 6.5.0 Quick Start. Published February 2015 1.0 Edition
Citrix XenServer Workload Balancing 6.5.0 Quick Start Published February 2015 1.0 Edition Citrix XenServer Workload Balancing 6.5.0 Quick Start Copyright 2015 Citrix Systems. Inc. All Rights Reserved.
Citrix XenClient 1.0
White Paper Citrix XenClient Citrix XenClient 1.0 Proof of Concept Implementation Guide www.citrix.com Contents Introduction... 3 Hardware and Software Requirements... 3 Installation and Configuration...
HDX 3D Version 1.0 Release Notes
HDX 3D Version 1.0 Release Notes www.citrix.com Citrix HDX 3D for Professional Graphics 1.0 Release Notes This document summarizes the features in Citrix HDX 3D for Professional Graphics 1.0 and describes
XenServer Pool Replication: Disaster Recovery
XenServer Pool Replication: Disaster Recovery Summary This article describes how to use Citrix XenServer to provide an easy-to-configure Disaster Recovery (DR) environment when using a Network-attached
High Availability for Desktop Virtualization
WHITE PAPER Citrix XenDesktop High Availability for Desktop Virtualization How to provide a comprehensive, end-to-end highavailability strategy for desktop virtualization. www.citrix.com Contents Contents...
Best Practices for Upgrading the Virtual Desktop Agent
WHITE PAPER Citrix XenDesktop Best Practices for Upgrading the Virtual Desktop Agent Citrix XenDesktop 4 www.citrix.com Table of Contents Introduction... 3 Virtual Desktop Agent... 3 Virtual Desktop Agent
The Benefits of Virtualizing Citrix XenApp with Citrix XenServer
White Paper The Benefits of Virtualizing Citrix XenApp with Citrix XenServer This white paper will discuss how customers can achieve faster deployment, higher reliability, easier management, and reduced
FileNet System Manager Dashboard Help
FileNet System Manager Dashboard Help Release 3.5.0 June 2005 FileNet is a registered trademark of FileNet Corporation. All other products and brand names are trademarks or registered trademarks of their
20 Command Line Tools to Monitor Linux Performance
20 Command Line Tools to Monitor Linux Performance 20 Command Line Tools to Monitor Linux Performance It s really very tough job for every System or Network administrator to monitor and debug Linux System
VELOCITY. Quick Start Guide. Citrix XenServer Hypervisor. Server Mode (Single-Interface Deployment) Before You Begin SUMMARY OF TASKS
If you re not using Citrix XenCenter 6.0, your screens may vary. VELOCITY REPLICATION ACCELERATOR Citrix XenServer Hypervisor Server Mode (Single-Interface Deployment) 2013 Silver Peak Systems, Inc. This
Load Manager Administrator s Guide For other guides in this document set, go to the Document Center
Load Manager Administrator s Guide For other guides in this document set, go to the Document Center Load Manager for Citrix Presentation Server Citrix Presentation Server 4.5 for Windows Citrix Access
Success Accelerator. Citrix Worldwide Consulting Solutions. Planning and Executing a Successful Go Live
Success Accelerator Planning and Executing a Successful Go Live Citrix Worldwide Consulting Solutions i Table of Contents Introduction... 1 Communication... 2 Training... 3 Administrators and Help Desk
Windows 7 Optimization Guide
Consulting Solutions WHITE PAPER Citrix XenDesktop Windows 7 Optimization Guide For Desktop Virtualization www.citrix.com Contents Contents... 2 Overview... 3 Machine Settings... 3 User Settings... 7 Final
User Reports. Time on System. Session Count. Detailed Reports. Summary Reports. Individual Gantt Charts
DETAILED REPORT LIST Track which users, when and for how long they used an application on Remote Desktop Services (formerly Terminal Services) and Citrix XenApp (known as Citrix Presentation Server). These
GRAVITYZONE HERE. Deployment Guide VLE Environment
GRAVITYZONE HERE Deployment Guide VLE Environment LEGAL NOTICE All rights reserved. No part of this document may be reproduced or transmitted in any form or by any means, electronic or mechanical, including
Trend Micro Incorporated reserves the right to make changes to this document and to the products described herein without notice.
Trend Micro Incorporated reserves the right to make changes to this document and to the products described herein without notice. Before installing and using the software, please review the readme files,
User's Guide. System Monitor - Performance Monitoring Services 5.0
User's Guide System Monitor - Performance Monitoring Services 5.0 Preface System Monitor - Performance Monitoring Services (hereafter referred to as "System Monitor - Performance Monitoring Services")
Web Application s Performance Testing
Web Application s Performance Testing B. Election Reddy (07305054) Guided by N. L. Sarda April 13, 2008 1 Contents 1 Introduction 4 2 Objectives 4 3 Performance Indicators 5 4 Types of Performance Testing
CASHNet Secure File Transfer Instructions
CASHNet Secure File Transfer Instructions Copyright 2009, 2010 Higher One Payments, Inc. CASHNet, CASHNet Business Office, CASHNet Commerce Center, CASHNet SMARTPAY and all related logos and designs are
DiskPulse DISK CHANGE MONITOR
DiskPulse DISK CHANGE MONITOR User Manual Version 7.9 Oct 2015 www.diskpulse.com [email protected] 1 1 DiskPulse Overview...3 2 DiskPulse Product Versions...5 3 Using Desktop Product Version...6 3.1 Product
There are numerous ways to access monitors:
Remote Monitors REMOTE MONITORS... 1 Overview... 1 Accessing Monitors... 1 Creating Monitors... 2 Monitor Wizard Options... 11 Editing the Monitor Configuration... 14 Status... 15 Location... 17 Alerting...
Export & Backup Guide
Eport & Backup Guide Welcome to the WebOffice and WorkSpace eport and backup guide. This guide provides an overview and requirements of the tools available to etract data from your WebOffice or WorkSpace
Desktop Virtualization Made Easy Execution Plan
Consulting Solutions WHITE PAPER Citrix XenDesktop Desktop Virtualization Made Easy Execution Plan A desktop virtualization architecture guide for small to medium environments www.citrix.com Trying to
Remote Desktop Reporter Agent Deployment Guide
Remote Desktop Reporter Agent Deployment Guide Table of Contents Overview... 2 Agent Components... 2 Agent Security... 2 Windows Firewall Considerations... 3 Installation Procedure and Configuration Parameters...
Citrix XenDesktop Modular Reference Architecture Version 2.0. Prepared by: Worldwide Consulting Solutions
Citrix XenDesktop Modular Reference Architecture Version 2.0 Prepared by: Worldwide Consulting Solutions TABLE OF CONTENTS Overview... 2 Conceptual Architecture... 3 Design Planning... 9 Design Examples...
vsphere Replication for Disaster Recovery to Cloud
vsphere Replication for Disaster Recovery to Cloud vsphere Replication 6.0 This document supports the version of each product listed and supports all subsequent versions until the document is replaced
TSM Studio Server User Guide 2.9.0.0
TSM Studio Server User Guide 2.9.0.0 1 Table of Contents Disclaimer... 4 What is TSM Studio Server?... 5 System Requirements... 6 Database Requirements... 6 Installing TSM Studio Server... 7 TSM Studio
HP Device Manager 4.6
Technical white paper HP Device Manager 4.6 Installation and Update Guide Table of contents Overview... 3 HPDM Server preparation... 3 FTP server configuration... 3 Windows Firewall settings... 3 Firewall
SOLUTION BRIEF Citrix Cloud Solutions Citrix Cloud Solution for On-boarding
SOLUTION BRIEF Citrix Cloud Solutions Citrix Cloud Solution for On-boarding www.citrix.com Contents Introduction... 3 The On- boarding Problem Defined... 3 Considerations for Application On- boarding...
Better virtualization of. XenApp and XenDesktop with XenServer
XenApp and XenDesktop with XenServer White Paper Better virtualization of XenApp and XenDesktop with XenServer XenApp and XenDesktop customers can achieve increased consolidation, easier management, improved
DEPLOYMENT GUIDE Version 1.1. Deploying the BIG-IP LTM System with Citrix XenDesktop
DEPLOYMENT GUIDE Version 1.1 Deploying the BIG-IP LTM System with Citrix XenDesktop Table of Contents Table of Contents Deploying the BIG-IP LTM with Citrix XenDesktop Prerequisites and configuration notes...
Easy Setup Guide 1&1 CLOUD SERVER. Creating Backups. for Linux
Easy Setup Guide 1&1 CLOUD SERVER Creating Backups for Linux Legal notice 1&1 Internet Inc. 701 Lee Road, Suite 300 Chesterbrook, PA 19087 USA www.1and1.com [email protected] August 2015 Copyright 2015 1&1
Features. Key benefits. HDX WAN optimization. QoS
Citrix CloudBridge and Branch Repeater Datasheet CloudBridge and Branch Repeater Accelerates, controls and optimizes applications to all locations datacenter, branch offices, public and private clouds
IBM Tivoli Monitoring Version 6.3 Fix Pack 2. Infrastructure Management Dashboards for Servers Reference
IBM Tivoli Monitoring Version 6.3 Fix Pack 2 Infrastructure Management Dashboards for Servers Reference IBM Tivoli Monitoring Version 6.3 Fix Pack 2 Infrastructure Management Dashboards for Servers Reference
Advanced Farm Administration with XenApp Worker Groups
WHITE PAPER Citrix XenApp Advanced Farm Administration with XenApp Worker Groups XenApp Product Development www.citrix.com Contents Overview... 3 What is a Worker Group?... 3 Introducing XYZ Corp... 5
Deployment Guide for Citrix XenDesktop
Deployment Guide for Citrix XenDesktop Securing and Accelerating Citrix XenDesktop with Palo Alto Networks Next-Generation Firewall and Citrix NetScaler Joint Solution Table of Contents 1. Overview...
User Manual. Onsight Management Suite Version 5.1. Another Innovation by Librestream
User Manual Onsight Management Suite Version 5.1 Another Innovation by Librestream Doc #: 400075-06 May 2012 Information in this document is subject to change without notice. Reproduction in any manner
Aerohive Networks Inc. Free Bonjour Gateway FAQ
Aerohive Networks Inc. Free Bonjour Gateway FAQ 1. About the Product... 1 2. Installation... 2 3. Management... 3 4. Troubleshooting... 4 1. About the Product What is the Aerohive s Free Bonjour Gateway?
Hands-on Lab Exercise Guide
614: Monitoring Your Entire Citrix Environment with Microsoft System Center Operations Manager and Comtrade Hands-on Lab Exercise Guide Comtrade: John Lee Bogdan Viher Citrix: Evin Safdia May 2015 1 Table
Command Line Interface User Guide for Intel Server Management Software
Command Line Interface User Guide for Intel Server Management Software Legal Information Information in this document is provided in connection with Intel products. No license, express or implied, by estoppel
Red Hat Satellite Management and automation of your Red Hat Enterprise Linux environment
Red Hat Satellite Management and automation of your Red Hat Enterprise Linux environment WHAT IS IT? Red Hat Satellite server is an easy-to-use, advanced systems management platform for your Linux infrastructure.
Using the Citrix Service Provider License Reporting Tool
TECHNIAL GUIDE Citrix Service Provider Using the Citrix Service Provider License Reporting Tool Version 3, Updated June 4, 2013 www.citrix.com Introduction Citrix Service Providers (CSP) need to generate
Red Hat Network Satellite Management and automation of your Red Hat Enterprise Linux environment
Red Hat Network Satellite Management and automation of your Red Hat Enterprise Linux environment WHAT IS IT? Red Hat Network (RHN) Satellite server is an easy-to-use, advanced systems management platform
White paper. Microsoft and Citrix VDI: Virtual desktop implementation scenarios
White paper Microsoft and Citrix VDI: Virtual desktop implementation scenarios Table of contents Objective Microsoft VDI offering components High definition user experience...3 A very cost-effective and
System Resources. To keep your system in optimum shape, you need to be CHAPTER 16. System-Monitoring Tools IN THIS CHAPTER. Console-Based Monitoring
CHAPTER 16 IN THIS CHAPTER. System-Monitoring Tools. Reference System-Monitoring Tools To keep your system in optimum shape, you need to be able to monitor it closely. Such monitoring is imperative in
IBM Security QRadar Version 7.2.2. WinCollect User Guide V7.2.2
IBM Security QRadar Version 7.2.2 WinCollect User Guide V7.2.2 Note Before using this information and the product that it supports, read the information in Notices on page 47. Product information This
File Transfers. Contents
A File Transfers Contents Overview..................................................... A-2................................... A-2 General Switch Software Download Rules..................... A-3 Using
Windows Server 2008 R2 Hyper-V Live Migration
Windows Server 2008 R2 Hyper-V Live Migration White Paper Published: August 09 This is a preliminary document and may be changed substantially prior to final commercial release of the software described
Quick Start Guide. Citrix XenServer Hypervisor. Server Mode (Single-Interface Deployment) Before You Begin SUMMARY OF TASKS
Quick Start Guide VX VIRTUAL APPLIANCES If you re not using Citrix XenCenter 6.0, your screens may vary. Citrix XenServer Hypervisor Server Mode (Single-Interface Deployment) 2013 Silver Peak Systems,
2X ApplicationServer & LoadBalancer Manual
2X ApplicationServer & LoadBalancer Manual 2X ApplicationServer & LoadBalancer Contents 1 URL: www.2x.com E-mail: [email protected] Information in this document is subject to change without notice. Companies,
This user manual explains the basics on how to use AdminToys Suite for Windows 2000/XP/2003/Vista/2008/7.
AdminToys Suite User Guide 2 About this manual This user manual explains the basics on how to use AdminToys Suite for Windows 2000/XP/2003/Vista/2008/7. Copyright 2008-2009 Lovelysoft. All Rights Reserved.
Comprehensive Monitoring of VMware vsphere ESX & ESXi Environments
Comprehensive Monitoring of VMware vsphere ESX & ESXi Environments Table of Contents Overview...3 Monitoring VMware vsphere ESX & ESXi Virtual Environment...4 Monitoring using Hypervisor Integration...5
How to Configure NetScaler Gateway 10.5 to use with StoreFront 2.6 and XenDesktop 7.6.
How to Configure NetScaler Gateway 10.5 to use with StoreFront 2.6 and XenDesktop 7.6. Introduction The purpose of this document is to record the steps required to configure a NetScaler Gateway for use
NetApp Storage System Plug-In 12.1.0.1.0 for Oracle Enterprise Manager 12c Installation and Administration Guide
NetApp Storage System Plug-In 12.1.0.1.0 for Oracle Enterprise Manager 12c Installation and Administration Guide Sachin Maheshwari, Anand Ranganathan, NetApp October 2012 Abstract This document provides
Enterprise IT is complex. Today, IT infrastructure spans the physical, the virtual and applications, and crosses public, private and hybrid clouds.
ENTERPRISE MONITORING & LIFECYCLE MANAGEMENT Unify IT Operations Enterprise IT is complex. Today, IT infrastructure spans the physical, the virtual and applications, and crosses public, private and hybrid
VMware vrealize Operations for Horizon Administration
VMware vrealize Operations for Horizon Administration vrealize Operations for Horizon 6.1 This document supports the version of each product listed and supports all subsequent versions until the document
PHD Virtual Backup for Hyper-V
PHD Virtual Backup for Hyper-V version 7.0 Installation & Getting Started Guide Document Release Date: December 18, 2013 www.phdvirtual.com PHDVB v7 for Hyper-V Legal Notices PHD Virtual Backup for Hyper-V
ERserver. iseries. Work management
ERserver iseries Work management ERserver iseries Work management Copyright International Business Machines Corporation 1998, 2002. All rights reserved. US Government Users Restricted Rights Use, duplication
Citrix XenServer 5.6 OpenSource Xen 2.6 on RHEL 5 OpenSource Xen 3.2 on Debian 5.0(Lenny)
Installing and configuring Intelligent Power Protector On Xen Virtualized Architecture Citrix XenServer 5.6 OpenSource Xen 2.6 on RHEL 5 OpenSource Xen 3.2 on Debian 5.0(Lenny) 1 Introduction... 3 1. Citrix
How To Use Ibm Tivoli Monitoring Software
Monitor and manage critical resources and metrics across disparate platforms from a single console IBM Tivoli Monitoring Highlights Help improve uptime and shorten Help optimize IT service delivery by
Vistara Lifecycle Management
Vistara Lifecycle Management Solution Brief Unify IT Operations Enterprise IT is complex. Today, IT infrastructure spans the physical, the virtual and applications, and crosses public, private and hybrid
1. Begin by opening XenCenter to manage the assigned XenServer.
Exercise 1 Microsoft Lync Optimization Overview In this exercise, you will see the difference made by the Lync Optimization Pack in the quality and stability of communications through Microsoft s Lync
Oracle Linux 7: System Administration Ed 1 NEW
Oracle University Contact Us: Local: 1800 103 4775 Intl: +91 80 40291196 Oracle Linux 7: System Administration Ed 1 NEW Duration: 5 Days What you will learn The Oracle Linux 7: System Administration training
Troubleshooting Procedures for Cisco TelePresence Video Communication Server
Troubleshooting Procedures for Cisco TelePresence Video Communication Server Reference Guide Cisco VCS X7.2 D14889.01 September 2011 Contents Contents Introduction... 3 Alarms... 3 VCS logs... 4 Event
Windows Server 2008 R2 Hyper-V Live Migration
Windows Server 2008 R2 Hyper-V Live Migration Table of Contents Overview of Windows Server 2008 R2 Hyper-V Features... 3 Dynamic VM storage... 3 Enhanced Processor Support... 3 Enhanced Networking Support...
Linux System Administration on Red Hat
Linux System Administration on Red Hat Kenneth Ingham September 29, 2009 1 Course overview This class is for people who are familiar with Linux or Unix systems as a user (i.e., they know file manipulation,
VIRTUALIZATION AND CPU WAIT TIMES IN A LINUX GUEST ENVIRONMENT
VIRTUALIZATION AND CPU WAIT TIMES IN A LINUX GUEST ENVIRONMENT James F Brady Capacity Planner for the State Of Nevada [email protected] The virtualization environment presents the opportunity to better
If you re not using Citrix XenCenter 6.0, your screens may vary. Required Virtual Interface Maps to... mgmt0. virtual network = mgmt0 wan0
If you re not using Citrix XenCenter 6.0, your screens may vary. VXOA VIRTUAL APPLIANCES Citrix XenServer Hypervisor In-Line Deployment (Bridge Mode) 2012 Silver Peak Systems, Inc. Support Limitations
WHITE PAPER. ClusterWorX 2.1 from Linux NetworX. Cluster Management Solution C ONTENTS INTRODUCTION
WHITE PAPER A PRIL 2002 C ONTENTS Introduction 1 Overview 2 Features 2 Architecture 3 Monitoring 4 ICE Box 4 Events 5 Plug-ins 6 Image Manager 7 Benchmarks 8 ClusterWorX Lite 8 Cluster Management Solution
CITRIX 1Y0-A14 EXAM QUESTIONS & ANSWERS
CITRIX 1Y0-A14 EXAM QUESTIONS & ANSWERS Number: 1Y0-A14 Passing Score: 800 Time Limit: 90 min File Version: 42.2 http://www.gratisexam.com/ CITRIX 1Y0-A14 EXAM QUESTIONS & ANSWERS Exam Name: Implementing
Set Up Panorama. Palo Alto Networks. Panorama Administrator s Guide Version 6.0. Copyright 2007-2015 Palo Alto Networks
Set Up Panorama Palo Alto Networks Panorama Administrator s Guide Version 6.0 Contact Information Corporate Headquarters: Palo Alto Networks 4401 Great America Parkway Santa Clara, CA 95054 www.paloaltonetworks.com/company/contact-us
Citrix XenServer 5.6 Feature Pack 1 Quick Start Guide. Published Monday, 17 January 2011 1.2 Edition
Citrix XenServer 5.6 Feature Pack 1 Quick Start Guide Published Monday, 17 January 2011 1.2 Edition Citrix XenServer 5.6 Feature Pack 1 Quick Start Guide Copyright 2011 Citrix Systems. Inc. All Rights
Copyright 2012 Trend Micro Incorporated. All rights reserved.
Trend Micro Incorporated reserves the right to make changes to this document and to the products described herein without notice. Before installing and using the software, please review the readme files,
Consolidated Monitoring, Analysis and Automated Remediation For Hybrid IT Infrastructures. Goliath Performance Monitor Installation Guide v11.
Consolidated Monitoring, Analysis and Automated Remediation For Hybrid IT Infrastructures Goliath Performance Monitor Installation Guide v11.5 (v11.5) Document Date: March 2015 www.goliathtechnologies.com
Deploy the ExtraHop Discover Appliance with Hyper-V
Deploy the ExtraHop Discover Appliance with Hyper-V 2016 ExtraHop Networks, Inc. All rights reserved. This manual, in whole or in part, may not be reproduced, translated, or reduced to any machine-readable
Important. Please read this User s Manual carefully to familiarize yourself with safe and effective usage.
Important Please read this User s Manual carefully to familiarize yourself with safe and effective usage. About This Manual This manual describes how to install and configure RadiNET Pro Gateway and RadiCS
Unitrends Virtual Backup Installation Guide Version 8.0
Unitrends Virtual Backup Installation Guide Version 8.0 Release June 2014 7 Technology Circle, Suite 100 Columbia, SC 29203 Phone: 803.454.0300 Contents Chapter 1 Getting Started... 1 Version 8 Architecture...
Interworks. Interworks Cloud Platform Installation Guide
Interworks Interworks Cloud Platform Installation Guide Published: March, 2014 This document contains information proprietary to Interworks and its receipt or possession does not convey any rights to reproduce,
AdminToys Suite. Installation & Setup Guide
AdminToys Suite Installation & Setup Guide Copyright 2008-2009 Lovelysoft. All Rights Reserved. Information in this document is subject to change without prior notice. Certain names of program products
Oracle Managed File Getting Started - Transfer FTP Server to File Table of Contents
Oracle Managed File Getting Started - Transfer FTP Server to File Table of Contents Goals... 3 High- Level Steps... 4 Basic FTP to File with Compression... 4 Steps in Detail... 4 MFT Console: Login and
Stratusphere UX Prerequisites & Preparation Overview. Stratusphere Requirements... 2. Stratusphere Hub Appliance (SHA)... 2
Table of Contents Stratusphere Requirements... 2 Stratusphere Hub Appliance (SHA)... 2 Stratusphere Database Appliance (SDA)... 2 Stratusphere Network Station (SNS)... 3 Stratusphere Software Download...
Cisco Networking Academy Program Curriculum Scope & Sequence. Fundamentals of UNIX version 2.0 (July, 2002)
Cisco Networking Academy Program Curriculum Scope & Sequence Fundamentals of UNIX version 2.0 (July, 2002) Course Description: Fundamentals of UNIX teaches you how to use the UNIX operating system and
Introduction to Operating Systems
Introduction to Operating Systems It is important that you familiarize yourself with Windows and Linux in preparation for this course. The exercises in this book assume a basic knowledge of both of these
Dell Desktop Virtualization Solutions Simplified. All-in-one VDI appliance creates a new level of simplicity for desktop virtualization
Dell Desktop Virtualization Solutions Simplified All-in-one VDI appliance creates a new level of simplicity for desktop virtualization Executive summary Desktop virtualization is a proven method for delivering
SECURELINK.COM REMOTE SUPPORT NETWORK
REMOTE SUPPORT NETWORK I. INTRODUCTION EXECUTIVE SUMMARY MANAGING REMOTE SUPPORT IN A SECURE ENVIRONMENT Enterprise software vendors strive to maximize support efficiency log on to the customer system,
VMware vcenter Log Insight Administration Guide
VMware vcenter Log Insight Administration Guide vcenter Log Insight 1.5 This document supports the version of each product listed and supports all subsequent versions until the document is replaced by
Optimizing service assurance for XenServer virtual infrastructures with Xangati
Solutions Brief Optimizing service assurance for XenServer virtual infrastructures with Xangati As IT organizations adopt application, desktop and server virtualization solutions as the primary method
