Versions Compared

Key

  • This line was added.
  • This line was removed.
  • Formatting was changed.

...

This forces JMeter to use the old logformat which generates <sampleResult> element for all log entries. The newer format instead generates <httpSample> elements for HTTP requests and <sampleResult> for JDBC sampler entries - this is inconvenient from a automated log processing point of view. Refer this Jmeter-user thread for more details

The above settings can also be defined as global properties in the jmeter.properties configuration file, or in the user.properties file.

...

The format of JMeter log entries generated when using the flags in the previous section is defined in the table below. (Editing note: 4 spaces are used to denote one level of XML 'indentation'.)

XML Element

Explanation

{{/testResults }}

Root element for XML test log

No Format
    @version    	   

Version of test results. Currently (JMeter 2.1.1), set to "1.1" irrespective of testlog format flag.

No Format
    /sampleResult/...

All log data is stored under an array of 'sampleResult' elements.

No Format
        @timeStamp	 

Timestamp - See Java method System.currentTimeMillis()

No Format
        @dataType	  

Datatype - typically "text"

No Format
        @threadName	        

Name set for the thread group, with affixed at the end " <iteration>-<thread_id>". For eg "Integration Tests Thread Group 1-1"

No Format
        @label		             

Label set for the sampler. For eg "Login to Custom URL using test account credentials"

No Format
        @time		              

Time in milliseconds for request to complete. Eg "2515"

No Format
        @responseMessage	   

Response message. Eg "OK"

No Format
        @responseCode	      

Response code. Eg "200"

No Format
        @success		           

String indicating status of the request. Can be "true" or "false"

No Format
        /sampleResult/...	  

HTTP Redirects are represented as an array of nested 'sampleResult' elements. Only 1 level of nesting occurs (i.e. the nested subresults do not nest further).

No Format
        /property		          

A string containing POST Data, Query Data and Cookie Data

No Format
            @xml:space	     

XML attribute indicating whether that white space is significant. Set to "preserve"

No Format
            @name		          

Set to "samplerData"

No Format
        /assertionResult/...	       

Assertion information are stored in an array of assertionResult

No Format
            @failureMessage	        

The failure message when the assertion fails

No Format
            @error		         

Set to "true" or "false" to indicate error in assertion (stays "false" on assertion failure)

No Format
            @failure		               

Set to "true" or "false" to indicate whether assertion failed or not

No Format
        /binary		            

Data returned in response

...

No Format
# Regular expression extracts relevant fields from the log entry. 
/timeStamp="(\d+)".+?threadName="(.*?)".+?label="(.+?)" time="(\d+?)".+?success="(.+?)"/;

# Data in the regex variables is accessed for use in building suitably-delimited line
my $timestamp = $1; # unix timestamp 
my $threadname = $2; # thread label
my $label = $3; # operation label 
my $time = $4; # operation time in milliseconds
my $success = $5; # boolean success indicator for this operation

...

However, when the opertion had a HTTP redirect (HTTP status code 302), JMeter records the redirects as nested <sampleResult> elements – these which still occur on the same line as the log entry:
{{{ <sampleResult ... time="2750"> <sampleResult ... time="2468" ... /> <sampleResult time="141" .../> <sampleResult ... time="141" .../> </sampleResult> }}}

The outermost <sampleResult> element has time = 2750 milliseconds. This is the sum of times of the nested redirect elements. We are only interested in the data contained in the outermost element. Hence the regular expression uses the non-greedy pattern match operator ( .*? or .+?) to ignore the latter <sampleResult> elements.

On the other hand, Excel 2002 can directly import JMeter XML format logs. However, it has problems with entries for HTTP 302 redirects. The nested log entry example above will generate three rows in Excel, with the total time repeated thrice. i.e:

No Format
Login	   2750
Login	   2750
Login	   2750 

2. Convert Timestamps to Excel Format

...

No Format
<xsl:stylesheet xmlns:xsl="http://www.w3.org/1999/XSL/Transform" version="1.0">
<xsl:output method="html" indent="yes" encoding="US-ASCII" doctype-public="-//W3C//DTD HTML 4.01 Transitional//EN" />

<xsl:template match="/">
  <html>   
    <body>
       <xsl:apply-templates/>
    </body>
  </html>
</xsl:template>

<xsl:template match="testResults">
  <table border="1">
    <tr>
      <th>timeStamp</th>
      <th>dataType</th>
      <th>threadName</th>
      <th>label</th>
      <th>time</th>
      <th>responseMessage</th>
      <th>responseCode</th>
      <th>success</th>
    </tr>    
    <xsl:apply-templates/>
  </table>
</xsl:template>


<xsl:template match="sampleResult">		
  <tr>
    <td><xsl:value-of select="@timeStamp"/></td>
    <td><xsl:value-of select="@dataType"/></td>
    <td><xsl:value-of select="@threadName"/></td>
    <td><xsl:value-of select="@label"/></td>
    <td><xsl:value-of select="@time"/></td>
    <td><xsl:value-of select="@responseMessage"/></td>
    <td><xsl:value-of select="@responseCode"/></td>
    <td><xsl:value-of select="@success"/></td>
  </tr>
  <!--<xsl:apply-templates/>-->
</xsl:template>
    
</xsl:stylesheet>

It should be easy to apply this XSL stylesheet on your Jmeter file. I use a small Java program. I think you can add an xsl stylesheet processing instruction at the start of your XML file and open it in IE or Firefox directly. Someone can post on how to exactly do this.

...

5. You can also use the following package that mixes Excel Macro, java transformation and xsl transformation of the .jtl files. It automatically generates Excel graphs using a Macro. The package is available here :
scripts_jmeter.zip

Summarizing Huge Datasets

Shell Script to Aggregate Per Minute


As a software tester, sometimes you are called upon to performance test a web service (see BuildWSTest) and present results in a nice chart to impress your manager. JMeter is commonly used to thrash the server and produce insane amounts of throughput data. If you're running 1000 tpm this can be rather a lot of data (180,000 transactions for a 3 hour test run). Even using the Simple Data Writer, this is beyond the capability of JMeter's inbuilt graphics package and is too much to import to Excel.

My solution is to group throughput per minute and average transaction time for each minute. Attached below is a Bash script for processing a JTL log file from JMeter. It reduces a 3-hour test run to 180 data points which is much easier to represent with a chart program such as Excel.
The script uses a few neat awk tricks, such as:

  • Rounding Java timestamps to nearest minute
  • Collect timestamps grouped by minute
  • Convert Java timestamp to YYYY-MM-dd etc.
  • Print Throughput for a minute increment
  • Print Average response time for a minute increment
  • Do all of the above in an efficient single pass through awk (this was the hardest bit!)

Script: jtlmin.sh.txt
An example session, using jtlmin.sh to process a JTL file. The file produced, queryBalance.jtl.OUT (tab-delimited), can now be used to produce throughput graph. Response times can also be included on the secondary axis, as in the diagram above. These graphs were very good at showing when the integration layer was slow to respond and when throughput varied from the original JMeter plan.

No Format
$ jtlmin.sh
Usage: jtlmin.sh <filename> 
Summarizes JMeter JTL output into 1-minute blocks

$ jtlmin.sh queryBalance.jtl
Processing queryBalance.jtl

$ ls q*
queryBalance.jtl  queryBalance.jtl.OUT

$ head queryBalance.jtl.OUT
/c/jmeter/performance/Myserver/output/queryBalance.jtl
unixtime        date    time    thruput(tpm)    response(ms)
1160354940      2006.Oct.09     13:49   65      0
1160355000      2006.Oct.09     13:50   0       0
1160355060      2006.Oct.09     13:51   0       0
1160355120      2006.Oct.09     13:52   56      0
1160355180      2006.Oct.09     13:53   98      108
1160355240      2006.Oct.09     13:54   84      125
1160355300      2006.Oct.09     13:55   0       0
1160355360      2006.Oct.09     13:56   0       0

...

NB, here's a script to convert JMeter's Java timestamps:
Script: utime2ymd.txt

Java Class to Quickly Summarize JMeter Results

...

If you use CSV format logs, this method of summarizing one or more CSV files orders of magnitude faster than importing it into the Aggregate Report Listener. It requires PostgreSQL. Usage:

  • jtlsummary.sh jtl_csv_result_files...

jtlsummary.sh

Extracting JTL files to CSV with Python (JMeter 2.3.x)

...

The script only works with JTL files from JMeter 2.3.x (JTL version 2.1). Please see http://jakarta.apache.org/jmeter/usermanual/listeners.html#xmlformat2.1 for details.

Usage is:

  • program.py <JTL input file> <CSV output file> "<regular expression>"

...

  • {{{#!/usr/bin/python

...

"""

...

Description

...

:

...

Split

...

JTL

...

file

...

into

...

a

...

comma

...

delimited

...

CVS

...

by

...

:

...

Oliver

...

Erlewein

...

(c)2008

...

Date

...

:

...

04.02.2008

...

Lang : Python 2.4+

...

JMeter

...

JTL

...

field

...

contents:

...

Attribute

...

&

...

Content

...

by

...

Bytes

...

de

...

Data

...

encoding

...

dt

...

Data

...

type

...

ec

...

Error

...

count

...

(0

...

or

...

1,

...

unless

...

multiple

...

samples

...

are

...

aggregated)

...

hn

...

Hostname

...

where

...

the

...

sample

...

was

...

generated

...

lb

...

Label

...

lt Latency = time to initial response (milliseconds)

...

-

...

not

...

all

...

samplers

...

support

...

this

...

na

...

Number

...

of

...

active

...

threads

...

for

...

all

...

thread

...

groups

...

ng

...

Number

...

of

...

active

...

threads

...

in

...

this

...

group

...

rc

...

Response

...

Code

...

(e.g.

...

200)

...

rm

...

Response

...

Message

...

(e.g.

...

OK)

...

s

...

Success

...

flag

...

(true/false)

...

sc

...

Sample

...

count

...

(1,

...

unless

...

multiple

...

samples

...

are

...

aggregated)

...

t

...

Elapsed

...

time

...

(milliseconds)

...

tn

...

Thread

...

Name

...

ts

...

timeStamp

...

(milliseconds

...

since

...

midnight

...

Jan

...

1,

...

1970

...

UTC)

...

"""

...

import

...

sys

...

import

...

re

...

import

...

datetime

...

import

...

time

Wiki Markup
startTime = time.time()

...

 cnt                     = 0

...

 cnt2                    = 0

...

 failCnt                 = 0

...

 reCompile = re.compile("\s(\[^\s\]\*?)=\"(.\*?)\"")

...

 delimiterCharacterOut = ","

...

Wiki Markup
def writeCSVLine(line):
    x = reCompile.findall(line)
    a = dict((row\[0\], row\[1\]) for row in x)
    try:
        a\['ts'\] = str(int(int(a\['ts'\])/1000))
        x = str(datetime.datetime.fromtimestamp(float(a\['ts'\])))\[0:19\]
        b = a\['ts'\] + ",\"" + x + "\"," + a\['t'\] + "," + a\['lt'\] + ",\"" + a\['s'\] + "\",\"" + a\['lb'\] + "\"," + a\['rc'\] + ",\"" + a\['rm'\] + "\",\"" + a\['tn'\] + "\",\"" + a\['dt'\] + "\"," + a\['by'\] + "\n"
    except:
        return -1
    o.write(b)
    return 1

...

print

...

"Splitting

...

JTL

...

file"

...

Wiki Markup
try:
    runArgv             = sys.argv                      # Save the command line
    jtlInfile           = str(sys.argv\[1\])              # Name of JTL input file
    cvsOutfile          = str(sys.argv\[2\])              # Name of CVS output file
    reFilter            = str(sys.argv\[3\])              # Filter the labels (lb) for the filter

...

 except:
    print "Error: Input format: <input file> <output file> <Filter by regular expression>"
    raise

...

try:

...


f

...

=

...

open(jtlInfile,

...

"r")

...


o

...

=

...

open(cvsOutfile,

...

"w")

...

except:

...


raise

print "Filtering

...

on

...

regular

...

expression

...

:

...

"

...

+

...

reFilter

...

cmpFilter

...

=

...

re.compile(reFilter)

...

for

...

line

...

in

...

f:

...


try:

...


if cmpFilter.search(line):

...


returnVal = writeCSVLine(line)

...


if returnVal < 0:
failCnt += 1
else:
cnt2 += 1
except:
print 'Error in line : ', cnt, line
raise

cnt += 1

endTime = time.time()

...

print

...

"Time

...

taken

...

:

...

",

...

str(endTime-startTime)

...

print

...

"Lines

...

processed

...

:

...

",

...

cnt

...

print

...

"Lines

...

that

...

passed

...

the

...

filter

...

:

...

",

...

cnt2

...

print

...

"Lines

...

skipped

...

(error?)

...

:

...

",

...

failCnt

...

f.close()

...

o.close()

...


}}}

Generating charts with Perl

...

chart type

comment

stacked chart abs

cusps for aggregated respone times per measure point

stacked chart rel

cusps for aggregated respone times per measure point expressed in percentages

entire user

aggregated response times opposed to number of active threads

entire throughput

aggregated response times opposed to throughput

<measure point> user

aggregated response times for this measure point opposed to number of active threads

<measure point> throughput

aggregated response times for this measure point opposed to number of active threads

...

  1. insert an 'Aggregate Report' Listener to your testplan (top level). 2.
  2. enter a filename where to save the results
  3. 3. invoke 'Configure' and check the boxes as shown.
  4. 4. Change the names of your requests. For instance in my exemplified testplan all requests for images were named as 'GIF', all requests for java scripts were named as 'JS'. Special points of interest also get their appropriate name (eg. 'Login', 'Address Search', ...).
    If you don't like particular requests to be accumulated then name them starting with garbage (eg. garbage_gif, garbage_js, ...)
    This step is necessary because the script collects data into labels of the same name. This way you make sure that you get a chart that will show the response times for all images or all 'Login' or all 'Address Searches' (except those that start with garbage)

...

The jmetergraph.pl requires Chart 2.4.1 to be installed (http://search.cpan.org/~chartgrp/Chart-2.4.1/).

Updated the script as jmetergraphhtml.pl to include Mhardy's change below and to create an index.html page to view the graphs. Leaving the above in case I screwed it up. (aaronforster)

You can call the script in this way:

...

Wiki Markup
\[mhardy@tkdevvm(192.168.146.130) util\]$ diff jmetergraph.pl ~/mike/Desktop/jmetergraph.pl  313,314d312
 < $glabels\{'entire'\} = \%entire;
 < 

...without that the "entire" .pngs don't contain data, Cheers, Mike)

...