tmf : introducing the mipmap
[deliverable/tracecompass.git] / org.eclipse.linuxtools.tmf.help / doc / Developer-Guide.mediawiki
CommitLineData
067490ab 1
73844f9c 2= Introduction =
067490ab
AM
3
4The purpose of the '''Tracing Monitoring Framework (TMF)''' is to facilitate the integration of tracing and monitoring tools into Eclipse, to provide out-of-the-box generic functionalities/views and provide extension mechanisms of the base functionalities for application specific purposes.
5
73844f9c 6= Implementing a New Trace Type =
6f182760 7
73844f9c 8The framework can easily be extended to support more trace types. To make a new trace type, one must define the following items:
6f182760 9
73844f9c
PT
10* The event type
11* The trace reader
12* The trace context
13* The trace location
14* (Optional but recommended) The ''org.eclipse.linuxtools.tmf.ui.tracetype'' plug-in extension point
6f182760 15
73844f9c 16The '''event type''' must implement an ''ITmfEvent'' or extend a class that implements an ''ITmfEvent''. Typically it will extend ''TmfEvent''. The event type must contain all the data of an event. The '''trace reader''' must be of an ''ITmfTrace'' type. The ''TmfTrace'' class will supply many background operations so that the reader only needs to implement certain functions. The '''trace context''' can be seen as the internals of an iterator. It is required by the trace reader to parse events as it iterates the trace and to keep track of its rank and location. It can have a timestamp, a rank, a file position, or any other element, it should be considered to be ephemeral. The '''trace location''' is an element that is cloned often to store checkpoints, it is generally persistent. It is used to rebuild a context, therefore, it needs to contain enough information to unambiguously point to one and only one event. Finally the ''tracetype'' plug-in extension associates a given trace, non-programmatically to a trace type for use in the UI.
6f182760 17
73844f9c 18== An Example: Nexus-lite parser ==
6f182760 19
73844f9c 20=== Description of the file ===
6f182760 21
73844f9c 22This is a very small subset of the nexus trace format, with some changes to make it easier to read. There is one file. This file starts with 64 Strings containing the event names, then an arbitrarily large number of events. The events are each 64 bits long. the first 32 are the timestamp in microseconds, the second 32 are split into 6 bits for the event type, and 26 for the data payload.
6f182760 23
73844f9c 24The trace type will be made of two parts, part 1 is the event description, it is just 64 strings, comma seperated and then a line feed.
6f182760
PT
25
26<pre>
73844f9c 27Startup,Stop,Load,Add, ... ,reserved\n
6f182760
PT
28</pre>
29
73844f9c 30Then there will be the events in this format
6f182760 31
73844f9c
PT
32{| width= "85%"
33|style="width: 50%; background-color: #ffffcc;"|timestamp (32 bits)
34|style="width: 10%; background-color: #ffccff;"|type (6 bits)
35|style="width: 40%; background-color: #ccffcc;"|payload (26 bits)
36|-
37|style="background-color: #ffcccc;" colspan="3"|64 bits total
38|}
6f182760 39
73844f9c 40all events will be the same size (64 bits).
6f182760 41
73844f9c 42=== NexusLite Plug-in ===
6f182760 43
73844f9c 44Create a '''New''', '''Project...''', '''Plug-in Project''', set the title to '''com.example.nexuslite''', click '''Next >''' then click on '''Finish'''.
6f182760 45
73844f9c 46Now the structure for the Nexus trace Plug-in is set up.
6f182760 47
73844f9c 48Add a dependency to TMF core and UI by opening the '''MANIFEST.MF''' in '''META-INF''', selecting the '''Dependencies''' tab and '''Add ...''' '''org.eclipse.linuxtools.tmf.core''' and '''org.eclipse.linuxtools.tmf.ui'''.
6f182760 49
73844f9c
PT
50[[Image:images/NTTAddDepend.png]]<br>
51[[Image:images/NTTSelectProjects.png]]<br>
6f182760 52
73844f9c 53Now the project can access TMF classes.
6f182760 54
73844f9c 55=== Trace Event ===
6f182760 56
73844f9c 57The '''TmfEvent''' class will work for this example. No code required.
6f182760 58
73844f9c 59=== Trace Reader ===
6f182760 60
73844f9c 61The trace reader will extend a '''TmfTrace''' class.
6f182760 62
73844f9c 63It will need to implement:
6f182760 64
73844f9c 65* validate (is the trace format valid?)
6f182760 66
73844f9c 67* initTrace (called as the trace is opened
6f182760 68
73844f9c 69* seekEvent (go to a position in the trace and create a context)
6f182760 70
73844f9c 71* getNext (implemented in the base class)
6f182760 72
73844f9c 73* parseEvent (read the next element in the trace)
6f182760 74
73844f9c 75Here is an example implementation of the Nexus Trace file
6f182760 76
73844f9c
PT
77<pre>/*******************************************************************************
78 * Copyright (c) 2013 Ericsson
79 *
80 * All rights reserved. This program and the accompanying materials are
81 * made available under the terms of the Eclipse Public License v1.0 which
82 * accompanies this distribution, and is available at
83 * http://www.eclipse.org/legal/epl-v10.html
84 *
85 * Contributors:
86 * Matthew Khouzam - Initial API and implementation
87 *******************************************************************************/
6f182760 88
73844f9c 89package com.example.nexuslite;
6f182760 90
73844f9c
PT
91import java.io.BufferedReader;
92import java.io.File;
93import java.io.FileInputStream;
94import java.io.FileNotFoundException;
95import java.io.FileReader;
96import java.io.IOException;
97import java.nio.MappedByteBuffer;
98import java.nio.channels.FileChannel;
99import java.nio.channels.FileChannel.MapMode;
6f182760 100
73844f9c
PT
101import org.eclipse.core.resources.IProject;
102import org.eclipse.core.resources.IResource;
103import org.eclipse.core.runtime.IStatus;
104import org.eclipse.core.runtime.Status;
105import org.eclipse.linuxtools.tmf.core.event.ITmfEvent;
106import org.eclipse.linuxtools.tmf.core.event.ITmfEventField;
107import org.eclipse.linuxtools.tmf.core.event.TmfEvent;
108import org.eclipse.linuxtools.tmf.core.event.TmfEventField;
109import org.eclipse.linuxtools.tmf.core.event.TmfEventType;
110import org.eclipse.linuxtools.tmf.core.exceptions.TmfTraceException;
111import org.eclipse.linuxtools.tmf.core.timestamp.ITmfTimestamp;
112import org.eclipse.linuxtools.tmf.core.timestamp.TmfTimestamp;
113import org.eclipse.linuxtools.tmf.core.trace.ITmfContext;
114import org.eclipse.linuxtools.tmf.core.trace.ITmfEventParser;
115import org.eclipse.linuxtools.tmf.core.trace.ITmfLocation;
116import org.eclipse.linuxtools.tmf.core.trace.TmfContext;
117import org.eclipse.linuxtools.tmf.core.trace.TmfLongLocation;
118import org.eclipse.linuxtools.tmf.core.trace.TmfTrace;
6f182760 119
73844f9c
PT
120/**
121 * Nexus trace type
122 *
123 * @author Matthew Khouzam
124 */
125public class NexusTrace extends TmfTrace implements ITmfEventParser {
6f182760 126
73844f9c
PT
127 private static final int CHUNK_SIZE = 65536; // seems fast on MY system
128 private static final int EVENT_SIZE = 8; // according to spec
6f182760 129
73844f9c
PT
130 private TmfLongLocation fCurrentLocation;
131 private static final TmfLongLocation NULLLOCATION = new TmfLongLocation(
132 (Long) null);
133 private static final TmfContext NULLCONTEXT = new TmfContext(NULLLOCATION,
134 -1L);
6f182760 135
73844f9c
PT
136 private long fSize;
137 private long fOffset;
138 private File fFile;
139 private String[] fEventTypes;
140 private FileChannel fFileChannel;
141 private MappedByteBuffer fMappedByteBuffer;
6f182760 142
73844f9c
PT
143 @Override
144 public IStatus validate(@SuppressWarnings("unused") IProject project,
145 String path) {
146 File f = new File(path);
147 if (!f.exists()) {
148 return new Status(IStatus.ERROR, Activator.PLUGIN_ID,
149 "File does not exist"); //$NON-NLS-1$
150 }
151 if (!f.isFile()) {
152 return new Status(IStatus.ERROR, Activator.PLUGIN_ID, path
153 + " is not a file"); //$NON-NLS-1$
154 }
155 String header = readHeader(f);
156 if (header.split(",", 64).length == 64) { //$NON-NLS-1$
157 return Status.OK_STATUS;
158 }
159 return new Status(IStatus.ERROR, Activator.PLUGIN_ID,
160 "File does not start as a CSV"); //$NON-NLS-1$
161 }
6f182760 162
73844f9c
PT
163 @Override
164 public ITmfLocation getCurrentLocation() {
165 return fCurrentLocation;
166 }
6f182760 167
73844f9c
PT
168 @Override
169 public void initTrace(IResource resource, String path,
170 Class<? extends ITmfEvent> type) throws TmfTraceException {
171 super.initTrace(resource, path, type);
172 fFile = new File(path);
173 fSize = fFile.length();
174 if (fSize == 0) {
175 throw new TmfTraceException("file is empty"); //$NON-NLS-1$
176 }
177 String header = readHeader(fFile);
178 if (header == null) {
179 throw new TmfTraceException("File does not start as a CSV"); //$NON-NLS-1$
180 }
181 fEventTypes = header.split(",", 64); // 64 values of types according to //$NON-NLS-1$
182 // the 'spec'
183 if (fEventTypes.length != 64) {
184 throw new TmfTraceException(
185 "Trace header does not contain 64 event names"); //$NON-NLS-1$
186 }
187 if (getNbEvents() < 1) {
188 throw new TmfTraceException("Trace does not have any events"); //$NON-NLS-1$
189 }
190 try {
191 fFileChannel = new FileInputStream(fFile).getChannel();
192 seek(0);
193 } catch (FileNotFoundException e) {
194 throw new TmfTraceException(e.getMessage());
195 } catch (IOException e) {
196 throw new TmfTraceException(e.getMessage());
197 }
198 }
6f182760 199
73844f9c
PT
200 /**
201 * @return
202 */
203 private String readHeader(File file) {
204 String header = new String();
205 BufferedReader br;
206 try {
207 br = new BufferedReader(new FileReader(file));
208 header = br.readLine();
209 br.close();
210 } catch (IOException e) {
211 return null;
212 }
213 fOffset = header.length() + 1;
214 setNbEvents((fSize - fOffset) / EVENT_SIZE);
215 return header;
216 }
6f182760 217
73844f9c
PT
218 @Override
219 public double getLocationRatio(ITmfLocation location) {
220 return ((TmfLongLocation) location).getLocationInfo().doubleValue()
221 / getNbEvents();
222 }
6f182760 223
73844f9c
PT
224 @Override
225 public ITmfContext seekEvent(ITmfLocation location) {
226 TmfLongLocation nl = (TmfLongLocation) location;
227 if (location == null) {
228 nl = new TmfLongLocation(0L);
229 }
230 try {
231 seek(nl.getLocationInfo());
232 } catch (IOException e) {
233 return NULLCONTEXT;
234 }
235 return new TmfContext(nl, nl.getLocationInfo());
236 }
6f182760 237
73844f9c
PT
238 @Override
239 public ITmfContext seekEvent(double ratio) {
240 long rank = (long) (ratio * getNbEvents());
241 try {
242 seek(rank);
243 } catch (IOException e) {
244 return NULLCONTEXT;
245 }
246 return new TmfContext(new TmfLongLocation(rank), rank);
247 }
6f182760 248
73844f9c
PT
249 private void seek(long rank) throws IOException {
250 final long position = fOffset + (rank * EVENT_SIZE);
251 int size = Math.min((int) (fFileChannel.size() - position), CHUNK_SIZE);
252 fMappedByteBuffer = fFileChannel.map(MapMode.READ_ONLY, position, size);
253 }
6f182760 254
73844f9c
PT
255 @Override
256 public ITmfEvent parseEvent(ITmfContext context) {
257 if ((context == null) || (context.getRank() == -1)) {
258 return null;
259 }
260 TmfEvent event = null;
261 long ts = -1;
262 int type = -1;
263 int payload = -1;
264 long pos = context.getRank();
265 if (pos < getNbEvents()) {
266 try {
267 // if we are approaching the limit size, move to a new window
268 if ((fMappedByteBuffer.position() + EVENT_SIZE) > fMappedByteBuffer
269 .limit()) {
270 seek(context.getRank());
271 }
272 /*
273 * the trace format, is:
274 *
275 * - 32 bits for the time,
276 * - 6 for the event type,
277 * - 26 for the data.
278 *
279 * all the 0x00 stuff are masks.
280 */
6f182760 281
73844f9c
PT
282 /*
283 * it may be interesting to assume if the ts goes back in time,
284 * it actually is rolling over we would need to keep the
285 * previous timestamp for that, keep the high bits and increment
286 * them if the next int ts read is lesser than the previous one
287 */
6f182760 288
73844f9c 289 ts = 0x00000000ffffffffL & fMappedByteBuffer.getInt();
6f182760 290
73844f9c
PT
291 long data = 0x00000000ffffffffL & fMappedByteBuffer.getInt();
292 type = (int) (data >> 26) & (0x03f); // first 6 bits
293 payload = (int) (data & 0x003FFFFFFL); // last 26 bits
294 // the time is in microseconds.
295 TmfTimestamp timestamp = new TmfTimestamp(ts, ITmfTimestamp.MICROSECOND_SCALE);
296 final String title = fEventTypes[type];
297 // put the value in a field
298 final TmfEventField tmfEventField = new TmfEventField(
299 "value", payload, null); //$NON-NLS-1$
300 // the field must be in an array
301 final TmfEventField[] fields = new TmfEventField[1];
302 fields[0] = tmfEventField;
303 final TmfEventField content = new TmfEventField(
304 ITmfEventField.ROOT_FIELD_ID, null, fields);
305 // set the current location
6f182760 306
73844f9c
PT
307 fCurrentLocation = new TmfLongLocation(pos);
308 // create the event
309 event = new TmfEvent(this, pos, timestamp, null,
310 new TmfEventType(title, title, null), content, null);
311 } catch (IOException e) {
312 fCurrentLocation = new TmfLongLocation(-1L);
313 }
314 }
315 return event;
316 }
317}
318</pre>
6f182760 319
73844f9c 320In this example the '''validate''' function checks if the file exists and is not a directory.
6f182760 321
73844f9c 322The '''initTrace''' function will read the event names, and find where the data starts. After this, the number of events is known, and since each event is 8 bytes long according to the specs, the seek is then trivial.
6f182760 323
73844f9c 324The '''seek''' here will just reset the reader to the right location.
6f182760 325
73844f9c 326The '''parseEvent''' method needs to parse and return the current event and store the current location.
6f182760 327
73844f9c 328The '''getNext''' method (in base class) will read the next event and update the context. It calls the '''parseEvent''' method to read the event and update the location. It does not need to be overridden and in this example it is not. The sequence of actions necessary are parse the next event from the trace, create an '''ITmfEvent''' with that data, update the current location, call '''updateAttributes''', update the context then return the event.
6f182760 329
73844f9c 330=== Trace Context ===
6f182760 331
73844f9c 332The trace context will be a '''TmfContext'''
6f182760 333
73844f9c 334=== Trace Location ===
6f182760 335
73844f9c 336The trace location will be a long, representing the rank in the file. The '''TmfLongLocation''' will be the used, once again, no code is required.
6f182760 337
73844f9c 338=== (Optional but recommended) The ''org.eclipse.linuxtools.tmf.ui.tracetype'' plug-in extension point ===
6f182760 339
73844f9c 340One can implement the ''tracetype'' extension in their own plug-in. In this example, the ''com.example.nexuslite'' plug-in will be modified.
6f182760 341
73844f9c 342The '''plugin.xml''' file in the ui plug-in needs to be updated if one wants users to access the given event type. It can be updated in the Eclipse plug-in editor.
6f182760 343
73844f9c
PT
344# In Extensions tab, add the '''org.eclipse.linuxtools.tmf.ui.tracetype''' extension point.
345[[Image:images/NTTExtension.png]]<br>
346[[Image:images/NTTTraceType.png]]<br>
347[[Image:images/NTTExtensionPoint.png]]<br>
6f182760 348
73844f9c 349# Add in the '''org.eclipse.linuxtools.tmf.ui.tracetype''' extension a new type. To do that, '''right click''' on the extension then in the context menu, go to '''New >''', '''type'''.
6f182760 350
73844f9c 351[[Image:images/NTTAddType.png]]<br>
6f182760 352
73844f9c 353The '''id''' is the unique identifier used to refer to the trace.
6f182760 354
73844f9c 355The '''name''' is the field that shall be displayed when a trace type is selected.
6f182760 356
73844f9c 357The '''trace type''' is the canonical path refering to the class of the trace.
6f182760 358
73844f9c 359The '''event type''' is the canonical path refering to the class of the events of a given trace.
6f182760 360
73844f9c 361The '''category''' (optional) is the container in which this trace type will be stored.
6f182760 362
73844f9c 363The '''icon''' (optional) is the image to associate with that trace type.
6f182760 364
73844f9c 365In the end, the extension menu should look like this.
6f182760 366
73844f9c 367[[Image:images/NTTPluginxmlComplete.png]]<br>
6f182760 368
73844f9c 369== Best Practices ==
6f182760 370
73844f9c
PT
371* Do not load the whole trace in RAM, it will limit the size of the trace that can be read.
372* Reuse as much code as possible, it makes the trace format much easier to maintain.
373* Use Eclipse's editor instead of editing the xml directly.
374* Do not forget Java supports only signed data types, there may be special care needed to handle unsigned data.
375* Keep all the code in the same plug-in as the ''tracetype'' if it makes sense from a design point of view. It will make integration easier.
6f182760 376
73844f9c 377== Download the Code ==
6f182760 378
73844f9c 379The plug-in is available [http://wiki.eclipse.org/images/3/34/Com.example.nexuslite.zip here] with a trace generator and a quick test case.
6f182760 380
3be48e26
BH
381== Optional Trace Type Attributes ==
382After defining the trace type as described in the previous chapters it is possible to define optional attributes for the trace type.
383
384=== Default Editor ===
385The attribute '''defaultEditor''' allows for configuring the editor to use for displaying the events. If omitted, the ''TmfEventsEditor'' is used as default. To configure an editor, first add the '''defaultEditor''' attribute to the trace type in the extension definition. This can be done by selecting the trace type in the plug-in manifest editor. Then click the right mouse button and select '''New -> defaultEditor''' in the context sensitive menu. Then select the newly added attribute. Now you can specify the editor id to use on the right side of the manifest editor. For example, this attribute could be used to implement an extension of the class ''org.eclipse.ui.part.MultiPageEditor''. The first page could use the ''TmfEventsEditor''' to display the events in a table as usual and other pages can display other aspects of the trace.
386
387=== Events Table Type ===
388The attribute '''eventsTableType''' allows for configuring the events table class to use in the default events editor. If omitted, the default events table will be used. To configure a trace type specific events table, first add the '''eventsTableType''' attribute to the trace type in the extension definition. This can be done by selecting the trace type in the plug-in manifest editor. Then click the right mouse button and select '''New -> eventsTableType''' in the context sensitive menu. Then select the newly added attribute and click on ''class'' on the right side of the manifest editor. The new class wizard will open. The ''superclass'' field will be already filled with the class ''org.eclipse.linuxtools.tmf.ui.viewers.events.TmfEventsTable''. Using this attribute a table with different columns than the default columns can be defined. See class org.eclipse.linuxtools.internal.lttng2.kernel.ui.viewers.events.Lttng2EventsTable for an example implementation.
389
390=== Statistics Viewer Type ===
391The attribute '''statisticsViewerType''' allows for defining trace type specific statistics. If omitted, only the default statistics will be displayed in the ''Statistics'' view (part of the ''Tracing'' view category). By default this view displays the total number of events and the number of events per event type for the whole trace and for the selected time range. To configure trace type specific statistics, first add the '''statisticsViewerType''' attribute to the trace type in the extension definition. This can be done by selecting the trace type in the plug-in manifest editor. Then click the right mouse button and select '''New -> statisticsViewerType''' in the context sensitive menu. Then select the newly added attribute and click on ''class'' on the right side of the manifest editor. The new class wizard will open. The ''superclass'' field will be already filled with the class ''org.eclipse.linuxtools.tmf.ui.viewers.statistics.TmfStatisticsViewer''. Now overwrite the relevant methods to provide the trace specific statistics. When executing the plug-in extension in Eclipse and opening the ''Statistics'' view the ''Statistics'' view will show an additional tab beside the global tab that shows the default statistics. The new tab will display the trace specific statistics provided in the ''TmfStatisticsViewer'' sub-class implementation.
392
73844f9c 393= View Tutorial =
6f182760 394
73844f9c 395This tutorial describes how to create a simple view using the TMF framework and the SWTChart library. SWTChart is a library based on SWT that can draw several types of charts including a line chart which we will use in this tutorial. We will create a view containing a line chart that displays time stamps on the X axis and the corresponding event values on the Y axis.
6f182760 396
73844f9c 397This tutorial will cover concepts like:
6f182760 398
73844f9c
PT
399* Extending TmfView
400* Signal handling (@TmfSignalHandler)
401* Data requests (TmfEventRequest)
402* SWTChart integration
6f182760 403
73844f9c 404=== Prerequisites ===
6f182760 405
73844f9c 406The tutorial is based on Eclipse 4.3 (Eclipse Kepler), TMF 2.0.0 and SWTChart 0.7.0. You can install SWTChart by using the Orbit update site. http://download.eclipse.org/tools/orbit/downloads/
6f182760 407
73844f9c 408=== Creating an Eclipse UI Plug-in ===
6f182760 409
73844f9c
PT
410To create a new project with name org.eclipse.linuxtools.tmf.sample.ui select '''File -> New -> Project -> Plug-in Development -> Plug-in Project'''. <br>
411[[Image:images/Screenshot-NewPlug-inProject1.png]]<br>
6f182760 412
73844f9c 413[[Image:images/Screenshot-NewPlug-inProject2.png]]<br>
6f182760 414
73844f9c 415[[Image:images/Screenshot-NewPlug-inProject3.png]]<br>
6f182760 416
73844f9c 417=== Creating a View ===
6f182760 418
73844f9c
PT
419To open the plug-in manifest, double-click on the MANIFEST.MF file. <br>
420[[Image:images/SelectManifest.png]]<br>
6f182760 421
73844f9c
PT
422Change to the Dependencies tab and select '''Add...''' of the ''Required Plug-ins'' section. A new dialog box will open. Next find plug-in ''org.eclipse.linuxtools.tmf.core'' and press '''OK'''<br>
423Following the same steps, add ''org.eclipse.linuxtools.tmf.ui'' and ''org.swtchart''.<br>
424[[Image:images/AddDependencyTmfUi.png]]<br>
6f182760 425
73844f9c
PT
426Change to the Extensions tab and select '''Add...''' of the ''All Extension'' section. A new dialog box will open. Find the view extension ''org.eclipse.ui.views'' and press '''Finish'''.<br>
427[[Image:images/AddViewExtension1.png]]<br>
6f182760 428
73844f9c
PT
429To create a view, click the right mouse button. Then select '''New -> view'''<br>
430[[Image:images/AddViewExtension2.png]]<br>
6f182760 431
73844f9c
PT
432A new view entry has been created. Fill in the fields ''id'' and ''name''. For ''class'' click on the '''class hyperlink''' and it will show the New Java Class dialog. Enter the name ''SampleView'', change the superclass to ''TmfView'' and click Finish. This will create the source file and fill the ''class'' field in the process. We use TmfView as the superclass because it provides extra functionality like getting the active trace, pinning and it has support for signal handling between components.<br>
433[[Image:images/FillSampleViewExtension.png]]<br>
6f182760 434
73844f9c 435This will generate an empty class. Once the quick fixes are applied, the following code is obtained:
6f182760 436
73844f9c
PT
437<pre>
438package org.eclipse.linuxtools.tmf.sample.ui;
6f182760 439
73844f9c
PT
440import org.eclipse.swt.widgets.Composite;
441import org.eclipse.ui.part.ViewPart;
6f182760 442
73844f9c 443public class SampleView extends TmfView {
6f182760 444
73844f9c
PT
445 public SampleView(String viewName) {
446 super(viewName);
447 // TODO Auto-generated constructor stub
448 }
6f182760 449
73844f9c
PT
450 @Override
451 public void createPartControl(Composite parent) {
452 // TODO Auto-generated method stub
6f182760 453
73844f9c 454 }
6f182760 455
73844f9c
PT
456 @Override
457 public void setFocus() {
458 // TODO Auto-generated method stub
6f182760 459
73844f9c 460 }
6f182760 461
73844f9c
PT
462}
463</pre>
6f182760 464
73844f9c 465This creates an empty view, however the basic structure is now is place.
6f182760 466
73844f9c 467=== Implementing a view ===
6f182760 468
73844f9c 469We will start by adding a empty chart then it will need to be populated with the trace data. Finally, we will make the chart more visually pleasing by adjusting the range and formating the time stamps.
6f182760 470
73844f9c 471==== Adding an Empty Chart ====
6f182760 472
73844f9c 473First, we can add an empty chart to the view and initialize some of its components.
6f182760 474
73844f9c
PT
475<pre>
476 private static final String SERIES_NAME = "Series";
477 private static final String Y_AXIS_TITLE = "Signal";
478 private static final String X_AXIS_TITLE = "Time";
479 private static final String FIELD = "value"; // The name of the field that we want to display on the Y axis
480 private static final String VIEW_ID = "org.eclipse.linuxtools.tmf.sample.ui.view";
481 private Chart chart;
482 private ITmfTrace currentTrace;
6f182760 483
73844f9c
PT
484 public SampleView() {
485 super(VIEW_ID);
486 }
6f182760 487
73844f9c
PT
488 @Override
489 public void createPartControl(Composite parent) {
490 chart = new Chart(parent, SWT.BORDER);
491 chart.getTitle().setVisible(false);
492 chart.getAxisSet().getXAxis(0).getTitle().setText(X_AXIS_TITLE);
493 chart.getAxisSet().getYAxis(0).getTitle().setText(Y_AXIS_TITLE);
494 chart.getSeriesSet().createSeries(SeriesType.LINE, SERIES_NAME);
495 chart.getLegend().setVisible(false);
496 }
6f182760 497
73844f9c
PT
498 @Override
499 public void setFocus() {
500 chart.setFocus();
501 }
502</pre>
6f182760 503
73844f9c
PT
504The view is prepared. Run the Example. To launch the an Eclipse Application select the ''Overview'' tab and click on '''Launch an Eclipse Application'''<br>
505[[Image:images/RunEclipseApplication.png]]<br>
6f182760 506
73844f9c
PT
507A new Eclipse application window will show. In the new window go to '''Windows -> Show View -> Other... -> Other -> Sample View'''.<br>
508[[Image:images/ShowViewOther.png]]<br>
6f182760 509
73844f9c
PT
510You should now see a view containing an empty chart<br>
511[[Image:images/EmptySampleView.png]]<br>
6f182760 512
73844f9c 513==== Signal Handling ====
6f182760 514
73844f9c 515We would like to populate the view when a trace is selected. To achieve this, we can use a signal hander which is specified with the '''@TmfSignalHandler''' annotation.
6f182760 516
73844f9c
PT
517<pre>
518 @TmfSignalHandler
519 public void traceSelected(final TmfTraceSelectedSignal signal) {
6f182760 520
73844f9c
PT
521 }
522</pre>
067490ab 523
73844f9c 524==== Requesting Data ====
067490ab 525
73844f9c 526Then we need to actually gather data from the trace. This is done asynchronously using a ''TmfEventRequest''
067490ab 527
73844f9c
PT
528<pre>
529 @TmfSignalHandler
530 public void traceSelected(final TmfTraceSelectedSignal signal) {
531 // Don't populate the view again if we're already showing this trace
532 if (currentTrace == signal.getTrace()) {
533 return;
534 }
535 currentTrace = signal.getTrace();
067490ab 536
73844f9c 537 // Create the request to get data from the trace
067490ab 538
73844f9c
PT
539 TmfEventRequest req = new TmfEventRequest(TmfEvent.class,
540 TmfTimeRange.ETERNITY, TmfEventRequest.ALL_DATA,
541 ExecutionType.BACKGROUND) {
067490ab 542
73844f9c
PT
543 @Override
544 public void handleData(ITmfEvent data) {
545 // Called for each event
546 super.handleData(data);
547 }
067490ab 548
73844f9c
PT
549 @Override
550 public void handleSuccess() {
551 // Request successful, not more data available
552 super.handleSuccess();
553 }
554
555 @Override
556 public void handleFailure() {
557 // Request failed, not more data available
558 super.handleFailure();
559 }
560 };
561 ITmfTrace trace = signal.getTrace();
562 trace.sendRequest(req);
563 }
067490ab
AM
564</pre>
565
73844f9c 566==== Transferring Data to the Chart ====
067490ab 567
73844f9c 568The chart expects an array of doubles for both the X and Y axis values. To provide that, we can accumulate each event's time and value in their respective list then convert the list to arrays when all events are processed.
067490ab 569
73844f9c
PT
570<pre>
571 TmfEventRequest req = new TmfEventRequest(TmfEvent.class,
572 TmfTimeRange.ETERNITY, TmfEventRequest.ALL_DATA,
573 ExecutionType.BACKGROUND) {
067490ab 574
73844f9c
PT
575 ArrayList<Double> xValues = new ArrayList<Double>();
576 ArrayList<Double> yValues = new ArrayList<Double>();
067490ab 577
73844f9c
PT
578 @Override
579 public void handleData(ITmfEvent data) {
580 // Called for each event
581 super.handleData(data);
582 ITmfEventField field = data.getContent().getField(FIELD);
583 if (field != null) {
584 yValues.add((Double) field.getValue());
585 xValues.add((double) data.getTimestamp().getValue());
586 }
587 }
067490ab 588
73844f9c
PT
589 @Override
590 public void handleSuccess() {
591 // Request successful, not more data available
592 super.handleSuccess();
067490ab 593
73844f9c
PT
594 final double x[] = toArray(xValues);
595 final double y[] = toArray(yValues);
067490ab 596
73844f9c
PT
597 // This part needs to run on the UI thread since it updates the chart SWT control
598 Display.getDefault().asyncExec(new Runnable() {
067490ab 599
73844f9c
PT
600 @Override
601 public void run() {
602 chart.getSeriesSet().getSeries()[0].setXSeries(x);
603 chart.getSeriesSet().getSeries()[0].setYSeries(y);
067490ab 604
73844f9c
PT
605 chart.redraw();
606 }
067490ab 607
73844f9c
PT
608 });
609 }
067490ab 610
73844f9c
PT
611 /**
612 * Convert List<Double> to double[]
613 */
614 private double[] toArray(List<Double> list) {
615 double[] d = new double[list.size()];
616 for (int i = 0; i < list.size(); ++i) {
617 d[i] = list.get(i);
618 }
067490ab 619
73844f9c
PT
620 return d;
621 }
622 };
623</pre>
067490ab 624
73844f9c 625==== Adjusting the Range ====
067490ab 626
73844f9c 627The chart now contains values but they might be out of range and not visible. We can adjust the range of each axis by computing the minimum and maximum values as we add events.
067490ab 628
73844f9c 629<pre>
067490ab 630
73844f9c
PT
631 ArrayList<Double> xValues = new ArrayList<Double>();
632 ArrayList<Double> yValues = new ArrayList<Double>();
633 private double maxY = -Double.MAX_VALUE;
634 private double minY = Double.MAX_VALUE;
635 private double maxX = -Double.MAX_VALUE;
636 private double minX = Double.MAX_VALUE;
067490ab 637
73844f9c
PT
638 @Override
639 public void handleData(ITmfEvent data) {
640 super.handleData(data);
641 ITmfEventField field = data.getContent().getField(FIELD);
642 if (field != null) {
643 Double yValue = (Double) field.getValue();
644 minY = Math.min(minY, yValue);
645 maxY = Math.max(maxY, yValue);
646 yValues.add(yValue);
067490ab 647
73844f9c
PT
648 double xValue = (double) data.getTimestamp().getValue();
649 xValues.add(xValue);
650 minX = Math.min(minX, xValue);
651 maxX = Math.max(maxX, xValue);
652 }
653 }
067490ab 654
73844f9c
PT
655 @Override
656 public void handleSuccess() {
657 super.handleSuccess();
658 final double x[] = toArray(xValues);
659 final double y[] = toArray(yValues);
067490ab 660
73844f9c
PT
661 // This part needs to run on the UI thread since it updates the chart SWT control
662 Display.getDefault().asyncExec(new Runnable() {
067490ab 663
73844f9c
PT
664 @Override
665 public void run() {
666 chart.getSeriesSet().getSeries()[0].setXSeries(x);
667 chart.getSeriesSet().getSeries()[0].setYSeries(y);
067490ab 668
73844f9c
PT
669 // Set the new range
670 if (!xValues.isEmpty() && !yValues.isEmpty()) {
671 chart.getAxisSet().getXAxis(0).setRange(new Range(0, x[x.length - 1]));
672 chart.getAxisSet().getYAxis(0).setRange(new Range(minY, maxY));
673 } else {
674 chart.getAxisSet().getXAxis(0).setRange(new Range(0, 1));
675 chart.getAxisSet().getYAxis(0).setRange(new Range(0, 1));
676 }
677 chart.getAxisSet().adjustRange();
067490ab 678
73844f9c
PT
679 chart.redraw();
680 }
681 });
682 }
683</pre>
067490ab 684
73844f9c 685==== Formatting the Time Stamps ====
067490ab 686
73844f9c 687To display the time stamps on the X axis nicely, we need to specify a format or else the time stamps will be displayed as ''long''. We use TmfTimestampFormat to make it consistent with the other TMF views. We also need to handle the '''TmfTimestampFormatUpdateSignal''' to make sure that the time stamps update when the preferences change.
067490ab 688
73844f9c
PT
689<pre>
690 @Override
691 public void createPartControl(Composite parent) {
692 ...
067490ab 693
73844f9c
PT
694 chart.getAxisSet().getXAxis(0).getTick().setFormat(new TmfChartTimeStampFormat());
695 }
067490ab 696
73844f9c
PT
697 public class TmfChartTimeStampFormat extends SimpleDateFormat {
698 private static final long serialVersionUID = 1L;
699 @Override
700 public StringBuffer format(Date date, StringBuffer toAppendTo, FieldPosition fieldPosition) {
701 long time = date.getTime();
702 toAppendTo.append(TmfTimestampFormat.getDefaulTimeFormat().format(time));
703 return toAppendTo;
704 }
705 }
067490ab 706
73844f9c
PT
707 @TmfSignalHandler
708 public void timestampFormatUpdated(TmfTimestampFormatUpdateSignal signal) {
709 // Called when the time stamp preference is changed
710 chart.getAxisSet().getXAxis(0).getTick().setFormat(new TmfChartTimeStampFormat());
711 chart.redraw();
712 }
713</pre>
067490ab 714
73844f9c 715We also need to populate the view when a trace is already selected and the view is opened. We can reuse the same code by having the view send the '''TmfTraceSelectedSignal''' to itself.
067490ab 716
73844f9c
PT
717<pre>
718 @Override
719 public void createPartControl(Composite parent) {
720 ...
067490ab 721
73844f9c
PT
722 ITmfTrace trace = getActiveTrace();
723 if (trace != null) {
724 traceSelected(new TmfTraceSelectedSignal(this, trace));
725 }
726 }
727</pre>
067490ab 728
73844f9c 729The view is now ready but we need a proper trace to test it. For this example, a trace was generated using LTTng-UST so that it would produce a sine function.<br>
067490ab 730
73844f9c 731[[Image:images/SampleView.png]]<br>
067490ab 732
73844f9c 733In summary, we have implemented a simple TMF view using the SWTChart library. We made use of signals and requests to populate the view at the appropriate time and we formated the time stamps nicely. We also made sure that the time stamp format is updated when the preferences change.
067490ab 734
73844f9c 735= Component Interaction =
067490ab 736
73844f9c 737TMF provides a mechanism for different components to interact with each other using signals. The signals can carry information that is specific to each signal.
067490ab 738
73844f9c 739The TMF Signal Manager handles registration of components and the broadcasting of signals to their intended receivers.
067490ab 740
73844f9c 741Components can register as VIP receivers which will ensure they will receive the signal before non-VIP receivers.
067490ab 742
73844f9c 743== Sending Signals ==
067490ab 744
73844f9c 745In order to send a signal, an instance of the signal must be created and passed as argument to the signal manager to be dispatched. Every component that can handle the signal will receive it. The receivers do not need to be known by the sender.
067490ab 746
73844f9c
PT
747<pre>
748TmfExampleSignal signal = new TmfExampleSignal(this, ...);
749TmfSignalManager.dispatchSignal(signal);
750</pre>
067490ab 751
73844f9c 752If the sender is an instance of the class TmfComponent, the broadcast method can be used:
067490ab
AM
753
754<pre>
73844f9c
PT
755TmfExampleSignal signal = new TmfExampleSignal(this, ...);
756broadcast(signal);
757</pre>
067490ab 758
73844f9c 759== Receiving Signals ==
067490ab 760
73844f9c 761In order to receive any signal, the receiver must first be registered with the signal manager. The receiver can register as a normal or VIP receiver.
067490ab 762
73844f9c
PT
763<pre>
764TmfSignalManager.register(this);
765TmfSignalManager.registerVIP(this);
766</pre>
067490ab 767
73844f9c 768If the receiver is an instance of the class TmfComponent, it is automatically registered as a normal receiver in the constructor.
067490ab 769
73844f9c 770When the receiver is destroyed or disposed, it should deregister itself from the signal manager.
067490ab 771
73844f9c
PT
772<pre>
773TmfSignalManager.deregister(this);
774</pre>
067490ab 775
73844f9c 776To actually receive and handle any specific signal, the receiver must use the @TmfSignalHandler annotation and implement a method that will be called when the signal is broadcast. The name of the method is irrelevant.
067490ab 777
73844f9c
PT
778<pre>
779@TmfSignalHandler
780public void example(TmfExampleSignal signal) {
781 ...
782}
067490ab
AM
783</pre>
784
73844f9c 785The source of the signal can be used, if necessary, by a component to filter out and ignore a signal that was broadcast by itself when the component is also a receiver of the signal but only needs to handle it when it was sent by another component or another instance of the component.
067490ab 786
73844f9c
PT
787== Signal Throttling ==
788
789It is possible for a TmfComponent instance to buffer the dispatching of signals so that only the last signal queued after a specified delay without any other signal queued is sent to the receivers. All signals that are preempted by a newer signal within the delay are discarded.
790
791The signal throttler must first be initialized:
067490ab
AM
792
793<pre>
73844f9c
PT
794final int delay = 100; // in ms
795TmfSignalThrottler throttler = new TmfSignalThrottler(this, delay);
796</pre>
067490ab 797
73844f9c 798Then the sending of signals should be queued through the throttler:
067490ab 799
73844f9c
PT
800<pre>
801TmfExampleSignal signal = new TmfExampleSignal(this, ...);
802throttler.queue(signal);
803</pre>
067490ab 804
73844f9c 805When the throttler is no longer needed, it should be disposed:
067490ab 806
73844f9c
PT
807<pre>
808throttler.dispose();
809</pre>
067490ab 810
73844f9c 811== Signal Reference ==
067490ab 812
73844f9c 813The following is a list of built-in signals defined in the framework.
067490ab 814
73844f9c 815=== TmfStartSynchSignal ===
067490ab 816
73844f9c 817''Purpose''
067490ab 818
73844f9c 819This signal is used to indicate the start of broadcasting of a signal. Internally, the data provider will not fire event requests until the corresponding TmfEndSynchSignal signal is received. This allows coalescing of requests triggered by multiple receivers of the broadcast signal.
067490ab 820
73844f9c 821''Senders''
067490ab 822
73844f9c 823Sent by TmfSignalManager before dispatching a signal to all receivers.
067490ab 824
73844f9c 825''Receivers''
067490ab 826
73844f9c 827Received by TmfDataProvider.
067490ab 828
73844f9c 829=== TmfEndSynchSignal ===
067490ab 830
73844f9c 831''Purpose''
067490ab 832
73844f9c 833This signal is used to indicate the end of broadcasting of a signal. Internally, the data provider fire all pending event requests that were received and buffered since the corresponding TmfStartSynchSignal signal was received. This allows coalescing of requests triggered by multiple receivers of the broadcast signal.
067490ab 834
73844f9c 835''Senders''
067490ab 836
73844f9c 837Sent by TmfSignalManager after dispatching a signal to all receivers.
067490ab 838
73844f9c 839''Receivers''
067490ab 840
73844f9c 841Received by TmfDataProvider.
067490ab 842
73844f9c 843=== TmfTraceOpenedSignal ===
067490ab 844
73844f9c 845''Purpose''
067490ab 846
73844f9c 847This signal is used to indicate that a trace has been opened in an editor.
067490ab 848
73844f9c 849''Senders''
067490ab 850
73844f9c 851Sent by a TmfEventsEditor instance when it is created.
067490ab 852
73844f9c 853''Receivers''
067490ab 854
73844f9c 855Received by TmfTrace, TmfExperiment, TmfTraceManager and every view that shows trace data. Components that show trace data should handle this signal.
067490ab 856
73844f9c 857=== TmfTraceSelectedSignal ===
067490ab 858
73844f9c 859''Purpose''
067490ab 860
73844f9c 861This signal is used to indicate that a trace has become the currently selected trace.
067490ab 862
73844f9c 863''Senders''
067490ab 864
73844f9c 865Sent by a TmfEventsEditor instance when it receives focus. Components can send this signal to make a trace editor be brought to front.
067490ab 866
73844f9c 867''Receivers''
067490ab 868
73844f9c 869Received by TmfTraceManager and every view that shows trace data. Components that show trace data should handle this signal.
067490ab 870
73844f9c 871=== TmfTraceClosedSignal ===
067490ab 872
73844f9c 873''Purpose''
067490ab 874
73844f9c 875This signal is used to indicate that a trace editor has been closed.
067490ab 876
73844f9c 877''Senders''
067490ab 878
73844f9c 879Sent by a TmfEventsEditor instance when it is disposed.
067490ab 880
73844f9c 881''Receivers''
067490ab 882
73844f9c 883Received by TmfTraceManager and every view that shows trace data. Components that show trace data should handle this signal.
067490ab 884
73844f9c 885=== TmfTraceRangeUpdatedSignal ===
067490ab 886
73844f9c 887''Purpose''
067490ab 888
73844f9c 889This signal is used to indicate that the valid time range of a trace has been updated. This triggers indexing of the trace up to the end of the range. In the context of streaming, this end time is considered a safe time up to which all events are guaranteed to have been completely received. For non-streaming traces, the end time is set to infinity indicating that all events can be read immediately. Any processing of trace events that wants to take advantage of request coalescing should be triggered by this signal.
067490ab 890
73844f9c 891''Senders''
11252342 892
73844f9c 893Sent by TmfExperiment and non-streaming TmfTrace. Streaming traces should send this signal in the TmfTrace subclass when a new safe time is determined by a specific implementation.
067490ab 894
73844f9c 895''Receivers''
067490ab 896
73844f9c 897Received by TmfTrace, TmfExperiment and components that process trace events. Components that need to process trace events should handle this signal.
067490ab 898
73844f9c 899=== TmfTraceUpdatedSignal ===
067490ab 900
73844f9c 901''Purpose''
067490ab 902
73844f9c 903This signal is used to indicate that new events have been indexed for a trace.
067490ab 904
73844f9c 905''Senders''
067490ab 906
73844f9c 907Sent by TmfCheckpointIndexer when new events have been indexed and the number of events has changed.
067490ab 908
73844f9c 909''Receivers''
067490ab 910
73844f9c 911Received by components that need to be notified of a new trace event count.
067490ab 912
73844f9c 913=== TmfTimeSynchSignal ===
067490ab 914
73844f9c 915''Purpose''
067490ab 916
421b90a1
BH
917This signal is used to indicate that a new time or time range has been
918selected. It contains a begin and end time. If a single time is selected then
919the begin and end time are the same.
067490ab 920
73844f9c 921''Senders''
067490ab 922
421b90a1 923Sent by any component that allows the user to select a time or time range.
067490ab 924
73844f9c 925''Receivers''
067490ab 926
421b90a1 927Received by any component that needs to be notified of the currently selected time or time range.
067490ab 928
73844f9c 929=== TmfRangeSynchSignal ===
067490ab 930
73844f9c 931''Purpose''
067490ab 932
73844f9c 933This signal is used to indicate that a new time range window has been set.
067490ab 934
73844f9c 935''Senders''
067490ab 936
73844f9c 937Sent by any component that allows the user to set a time range window.
067490ab 938
73844f9c 939''Receivers''
067490ab 940
73844f9c 941Received by any component that needs to be notified of the current visible time range window.
067490ab 942
73844f9c 943=== TmfEventFilterAppliedSignal ===
067490ab 944
73844f9c 945''Purpose''
067490ab 946
73844f9c 947This signal is used to indicate that a filter has been applied to a trace.
067490ab 948
73844f9c 949''Senders''
067490ab 950
73844f9c 951Sent by TmfEventsTable when a filter is applied.
067490ab 952
73844f9c 953''Receivers''
067490ab 954
73844f9c 955Received by any component that shows trace data and needs to be notified of applied filters.
067490ab 956
73844f9c 957=== TmfEventSearchAppliedSignal ===
067490ab 958
73844f9c 959''Purpose''
067490ab 960
73844f9c 961This signal is used to indicate that a search has been applied to a trace.
067490ab 962
73844f9c 963''Senders''
067490ab 964
73844f9c 965Sent by TmfEventsTable when a search is applied.
067490ab 966
73844f9c 967''Receivers''
067490ab 968
73844f9c 969Received by any component that shows trace data and needs to be notified of applied searches.
067490ab 970
73844f9c 971=== TmfTimestampFormatUpdateSignal ===
067490ab 972
73844f9c 973''Purpose''
067490ab 974
73844f9c 975This signal is used to indicate that the timestamp format preference has been updated.
067490ab 976
73844f9c 977''Senders''
067490ab 978
73844f9c 979Sent by TmfTimestampFormat when the default timestamp format preference is changed.
067490ab 980
73844f9c 981''Receivers''
067490ab 982
73844f9c 983Received by any component that needs to refresh its display for the new timestamp format.
067490ab 984
73844f9c 985=== TmfStatsUpdatedSignal ===
067490ab 986
73844f9c 987''Purpose''
067490ab 988
73844f9c 989This signal is used to indicate that the statistics data model has been updated.
067490ab 990
73844f9c 991''Senders''
067490ab 992
73844f9c 993Sent by statistic providers when new statistics data has been processed.
067490ab 994
73844f9c 995''Receivers''
067490ab 996
73844f9c 997Received by statistics viewers and any component that needs to be notified of a statistics update.
067490ab 998
73844f9c 999== Debugging ==
067490ab 1000
73844f9c 1001TMF has built-in Eclipse tracing support for the debugging of signal interaction between components. To enable it, open the '''Run/Debug Configuration...''' dialog, select a configuration, click the '''Tracing''' tab, select the plug-in '''org.eclipse.linuxtools.tmf.core''', and check the '''signal''' item.
067490ab 1002
73844f9c 1003All signals sent and received will be logged to the file TmfTrace.log located in the Eclipse home directory.
067490ab 1004
73844f9c 1005= Generic State System =
067490ab 1006
73844f9c 1007== Introduction ==
067490ab 1008
73844f9c
PT
1009The Generic State System is a utility available in TMF to track different states
1010over the duration of a trace. It works by first sending some or all events of
1011the trace into a state provider, which defines the state changes for a given
1012trace type. Once built, views and analysis modules can then query the resulting
1013database of states (called "state history") to get information.
067490ab 1014
73844f9c
PT
1015For example, let's suppose we have the following sequence of events in a kernel
1016trace:
067490ab 1017
73844f9c
PT
1018 10 s, sys_open, fd = 5, file = /home/user/myfile
1019 ...
1020 15 s, sys_read, fd = 5, size=32
1021 ...
1022 20 s, sys_close, fd = 5
067490ab 1023
73844f9c
PT
1024Now let's say we want to implement an analysis module which will track the
1025amount of bytes read and written to eachfile. Here, of course the sys_read is
1026interesting. However, by just looking at that event, we have no information on
1027which file is being read, only its fd (5) is known. To get the match
1028fd5 = /home/user/myfile, we have to go back to the sys_open event which happens
10295 seconds earlier.
067490ab 1030
73844f9c
PT
1031But since we don't know exactly where this sys_open event is, we will have to go
1032back to the very start of the trace, and look through events one by one! This is
1033obviously not efficient, and will not scale well if we want to analyze many
1034similar patterns, or for very large traces.
067490ab 1035
73844f9c
PT
1036A solution in this case would be to use the state system to keep track of the
1037amount of bytes read/written to every *filename* (instead of every file
1038descriptor, like we get from the events). Then the module could ask the state
1039system "what is the amount of bytes read for file "/home/user/myfile" at time
104016 s", and it would return the answer "32" (assuming there is no other read
1041than the one shown).
067490ab 1042
73844f9c 1043== High-level components ==
067490ab 1044
73844f9c
PT
1045The State System infrastructure is composed of 3 parts:
1046* The state provider
1047* The central state system
1048* The storage backend
067490ab 1049
73844f9c
PT
1050The state provider is the customizable part. This is where the mapping from
1051trace events to state changes is done. This is what you want to implement for
1052your specific trace type and analysis type. It's represented by the
1053ITmfStateProvider interface (with a threaded implementation in
1054AbstractTmfStateProvider, which you can extend).
067490ab 1055
73844f9c
PT
1056The core of the state system is exposed through the ITmfStateSystem and
1057ITmfStateSystemBuilder interfaces. The former allows only read-only access and
1058is typically used for views doing queries. The latter also allows writing to the
1059state history, and is typically used by the state provider.
067490ab 1060
73844f9c
PT
1061Finally, each state system has its own separate backend. This determines how the
1062intervals, or the "state history", are saved (in RAM, on disk, etc.) You can
1063select the type of backend at construction time in the TmfStateSystemFactory.
067490ab 1064
73844f9c 1065== Definitions ==
067490ab 1066
73844f9c
PT
1067Before we dig into how to use the state system, we should go over some useful
1068definitions:
067490ab 1069
73844f9c 1070=== Attribute ===
067490ab 1071
73844f9c
PT
1072An attribute is the smallest element of the model that can be in any particular
1073state. When we refer to the "full state", in fact it means we are interested in
1074the state of every single attribute of the model.
067490ab 1075
73844f9c 1076=== Attribute Tree ===
067490ab 1077
73844f9c
PT
1078Attributes in the model can be placed in a tree-like structure, a bit like files
1079and directories in a file system. However, note that an attribute can always
1080have both a value and sub-attributes, so they are like files and directories at
1081the same time. We are then able to refer to every single attribute with its
1082path in the tree.
067490ab 1083
73844f9c
PT
1084For example, in the attribute tree for LTTng kernel traces, we use the following
1085attributes, among others:
067490ab 1086
73844f9c
PT
1087<pre>
1088|- Processes
1089| |- 1000
1090| | |- PPID
1091| | |- Exec_name
1092| |- 1001
1093| | |- PPID
1094| | |- Exec_name
1095| ...
1096|- CPUs
1097 |- 0
1098 | |- Status
1099 | |- Current_pid
1100 ...
1101</pre>
067490ab 1102
73844f9c
PT
1103In this model, the attribute "Processes/1000/PPID" refers to the PPID of process
1104with PID 1000. The attribute "CPUs/0/Status" represents the status (running,
1105idle, etc.) of CPU 0. "Processes/1000/PPID" and "Processes/1001/PPID" are two
1106different attribute, even though their base name is the same: the whole path is
1107the unique identifier.
067490ab 1108
73844f9c
PT
1109The value of each attribute can change over the duration of the trace,
1110independently of the other ones, and independently of its position in the tree.
067490ab 1111
73844f9c
PT
1112The tree-like organization is optional, all attributes could be at the same
1113level. But it's possible to put them in a tree, and it helps make things
1114clearer.
067490ab 1115
73844f9c 1116=== Quark ===
067490ab 1117
73844f9c
PT
1118In addition to a given path, each attribute also has a unique integer
1119identifier, called the "quark". To continue with the file system analogy, this
1120is like the inode number. When a new attribute is created, a new unique quark
1121will be assigned automatically. They are assigned incrementally, so they will
1122normally be equal to their order of creation, starting at 0.
067490ab 1123
73844f9c
PT
1124Methods are offered to get the quark of an attribute from its path. The API
1125methods for inserting state changes and doing queries normally use quarks
1126instead of paths. This is to encourage users to cache the quarks and re-use
1127them, which avoids re-walking the attribute tree over and over, which avoids
1128unneeded hashing of strings.
067490ab 1129
73844f9c 1130=== State value ===
067490ab 1131
73844f9c
PT
1132The path and quark of an attribute will remain constant for the whole duration
1133of the trace. However, the value carried by the attribute will change. The value
1134of a specific attribute at a specific time is called the state value.
067490ab 1135
73844f9c
PT
1136In the TMF implementation, state values can be integers, longs, or strings.
1137There is also a "null value" type, which is used to indicate that no particular
1138value is active for this attribute at this time, but without resorting to a
1139'null' reference.
067490ab 1140
73844f9c
PT
1141Any other type of value could be used, as long as the backend knows how to store
1142it.
067490ab 1143
73844f9c
PT
1144Note that the TMF implementation also forces every attribute to always carry the
1145same type of state value. This is to make it simpler for views, so they can
1146expect that an attribute will always use a given type, without having to check
1147every single time. Null values are an exception, they are always allowed for all
1148attributes, since they can safely be "unboxed" into all types.
067490ab 1149
73844f9c 1150=== State change ===
067490ab 1151
73844f9c
PT
1152A state change is the element that is inserted in the state system. It consists
1153of:
1154* a timestamp (the time at which the state change occurs)
1155* an attribute (the attribute whose value will change)
1156* a state value (the new value that the attribute will carry)
067490ab 1157
73844f9c
PT
1158It's not an object per se in the TMF implementation (it's represented by a
1159function call in the state provider). Typically, the state provider will insert
1160zero, one or more state changes for every trace event, depending on its event
1161type, payload, etc.
067490ab 1162
73844f9c
PT
1163Note, we use "timestamp" here, but it's in fact a generic term that could be
1164referred to as "index". For example, if a given trace type has no notion of
1165timestamp, the event rank could be used.
067490ab 1166
73844f9c 1167In the TMF implementation, the timestamp is a long (64-bit integer).
067490ab 1168
73844f9c 1169=== State interval ===
067490ab 1170
73844f9c
PT
1171State changes are inserted into the state system, but state intervals are the
1172objects that come out on the other side. Those are stocked in the storage
1173backend. A state interval represents a "state" of an attribute we want to track.
1174When doing queries on the state system, intervals are what is returned. The
1175components of a state interval are:
1176* Start time
1177* End time
1178* State value
1179* Quark
067490ab 1180
73844f9c
PT
1181The start and end times represent the time range of the state. The state value
1182is the same as the state value in the state change that started this interval.
1183The interval also keeps a reference to its quark, although you normally know
1184your quark in advance when you do queries.
f5b8868d 1185
73844f9c 1186=== State history ===
f5b8868d 1187
73844f9c
PT
1188The state history is the name of the container for all the intervals created by
1189the state system. The exact implementation (how the intervals are stored) is
1190determined by the storage backend that is used.
f5b8868d 1191
73844f9c
PT
1192Some backends will use a state history that is peristent on disk, others do not.
1193When loading a trace, if a history file is available and the backend supports
1194it, it will be loaded right away, skipping the need to go through another
1195construction phase.
f5b8868d 1196
73844f9c 1197=== Construction phase ===
f5b8868d 1198
73844f9c
PT
1199Before we can query a state system, we need to build the state history first. To
1200do so, trace events are sent one-by-one through the state provider, which in
1201turn sends state changes to the central component, which then creates intervals
1202and stores them in the backend. This is called the construction phase.
f5b8868d 1203
73844f9c
PT
1204Note that the state system needs to receive its events into chronological order.
1205This phase will end once the end of the trace is reached.
f5b8868d 1206
73844f9c
PT
1207Also note that it is possible to query the state system while it is being build.
1208Any timestamp between the start of the trace and the current end time of the
1209state system (available with ITmfStateSystem#getCurrentEndTime()) is a valid
1210timestamp that can be queried.
f5b8868d 1211
73844f9c 1212=== Queries ===
f5b8868d 1213
73844f9c
PT
1214As mentioned previously, when doing queries on the state system, the returned
1215objects will be state intervals. In most cases it's the state *value* we are
1216interested in, but since the backend has to instantiate the interval object
1217anyway, there is no additional cost to return the interval instead. This way we
1218also get the start and end times of the state "for free".
f5b8868d 1219
73844f9c 1220There are two types of queries that can be done on the state system:
f5b8868d 1221
73844f9c 1222==== Full queries ====
f5b8868d 1223
73844f9c
PT
1224A full query means that we want to retrieve the whole state of the model for one
1225given timestamp. As we remember, this means "the state of every single attribute
1226in the model". As parameter we only need to pass the timestamp (see the API
1227methods below). The return value will be an array of intervals, where the offset
1228in the array represents the quark of each attribute.
f5b8868d 1229
73844f9c 1230==== Single queries ====
f5b8868d 1231
73844f9c
PT
1232In other cases, we might only be interested in the state of one particular
1233attribute at one given timestamp. For these cases it's better to use a
1234single query. For a single query. we need to pass both a timestamp and a
1235quark in parameter. The return value will be a single interval, representing
1236the state that this particular attribute was at that time.
f5b8868d 1237
73844f9c
PT
1238Single queries are typically faster than full queries (but once again, this
1239depends on the backend that is used), but not by much. Even if you only want the
1240state of say 10 attributes out of 200, it could be faster to use a full query
1241and only read the ones you need. Single queries should be used for cases where
1242you only want one attribute per timestamp (for example, if you follow the state
1243of the same attribute over a time range).
f5b8868d 1244
f5b8868d 1245
73844f9c 1246== Relevant interfaces/classes ==
f5b8868d 1247
73844f9c
PT
1248This section will describe the public interface and classes that can be used if
1249you want to use the state system.
f5b8868d 1250
73844f9c 1251=== Main classes in org.eclipse.linuxtools.tmf.core.statesystem ===
f5b8868d 1252
73844f9c 1253==== ITmfStateProvider / AbstractTmfStateProvider ====
f5b8868d 1254
73844f9c
PT
1255ITmfStateProvider is the interface you have to implement to define your state
1256provider. This is where most of the work has to be done to use a state system
1257for a custom trace type or analysis type.
f5b8868d 1258
73844f9c
PT
1259For first-time users, it's recommended to extend AbstractTmfStateProvider
1260instead. This class takes care of all the initialization mumbo-jumbo, and also
1261runs the event handler in a separate thread. You will only need to implement
1262eventHandle, which is the call-back that will be called for every event in the
1263trace.
f5b8868d 1264
73844f9c
PT
1265For an example, you can look at StatsStateProvider in the TMF tree, or at the
1266small example below.
f5b8868d 1267
73844f9c 1268==== TmfStateSystemFactory ====
f5b8868d 1269
73844f9c
PT
1270Once you have defined your state provider, you need to tell your trace type to
1271build a state system with this provider during its initialization. This consists
1272of overriding TmfTrace#buildStateSystems() and in there of calling the method in
1273TmfStateSystemFactory that corresponds to the storage backend you want to use
1274(see the section [[#Comparison of state system backends]]).
f5b8868d 1275
73844f9c
PT
1276You will have to pass in parameter the state provider you want to use, which you
1277should have defined already. Each backend can also ask for more configuration
1278information.
f5b8868d 1279
73844f9c
PT
1280You must then call registerStateSystem(id, statesystem) to make your state
1281system visible to the trace objects and the views. The ID can be any string of
1282your choosing. To access this particular state system, the views or modules will
1283need to use this ID.
f5b8868d 1284
73844f9c
PT
1285Also, don't forget to call super.buildStateSystems() in your implementation,
1286unless you know for sure you want to skip the state providers built by the
1287super-classes.
f5b8868d 1288
73844f9c
PT
1289You can look at how LttngKernelTrace does it for an example. It could also be
1290possible to build a state system only under certain conditions (like only if the
1291trace contains certain event types).
f5b8868d 1292
f5b8868d 1293
73844f9c 1294==== ITmfStateSystem ====
f5b8868d 1295
73844f9c
PT
1296ITmfStateSystem is the main interface through which views or analysis modules
1297will access the state system. It offers a read-only view of the state system,
1298which means that no states can be inserted, and no attributes can be created.
1299Calling TmfTrace#getStateSystems().get(id) will return you a ITmfStateSystem
1300view of the requested state system. The main methods of interest are:
f5b8868d 1301
73844f9c 1302===== getQuarkAbsolute()/getQuarkRelative() =====
f5b8868d 1303
73844f9c
PT
1304Those are the basic quark-getting methods. The goal of the state system is to
1305return the state values of given attributes at given timestamps. As we've seen
1306earlier, attributes can be described with a file-system-like path. The goal of
1307these methods is to convert from the path representation of the attribute to its
1308quark.
f5b8868d 1309
73844f9c
PT
1310Since quarks are created on-the-fly, there is no guarantee that the same
1311attributes will have the same quark for two traces of the same type. The views
1312should always query their quarks when dealing with a new trace or a new state
1313provider. Beyond that however, quarks should be cached and reused as much as
1314possible, to avoid potentially costly string re-hashing.
f5b8868d 1315
73844f9c
PT
1316getQuarkAbsolute() takes a variable amount of Strings in parameter, which
1317represent the full path to the attribute. Some of them can be constants, some
1318can come programatically, often from the event's fields.
f5b8868d 1319
73844f9c
PT
1320getQuarkRelative() is to be used when you already know the quark of a certain
1321attribute, and want to access on of its sub-attributes. Its first parameter is
1322the origin quark, followed by a String varagrs which represent the relative path
1323to the final attribute.
f5b8868d 1324
73844f9c
PT
1325These two methods will throw an AttributeNotFoundException if trying to access
1326an attribute that does not exist in the model.
f5b8868d 1327
73844f9c
PT
1328These methods also imply that the view has the knowledge of how the attribute
1329tree is organized. This should be a reasonable hypothesis, since the same
1330analysis plugin will normally ship both the state provider and the view, and
1331they will have been written by the same person. In other cases, it's possible to
1332use getSubAttributes() to explore the organization of the attribute tree first.
f5b8868d 1333
73844f9c 1334===== waitUntilBuilt() =====
f5b8868d 1335
73844f9c
PT
1336This is a simple method used to block the caller until the construction phase of
1337this state system is done. If the view prefers to wait until all information is
1338available before starting to do queries (to get all known attributes right away,
1339for example), this is the guy to call.
f5b8868d 1340
73844f9c 1341===== queryFullState() =====
f5b8868d 1342
73844f9c
PT
1343This is the method to do full queries. As mentioned earlier, you only need to
1344pass a target timestamp in parameter. It will return a List of state intervals,
1345in which the offset corresponds to the attribute quark. This will represent the
1346complete state of the model at the requested time.
f5b8868d 1347
73844f9c 1348===== querySingleState() =====
f5b8868d 1349
73844f9c
PT
1350The method to do single queries. You pass in parameter both a timestamp and an
1351attribute quark. This will return the single state matching this
1352timestamp/attribute pair.
f5b8868d 1353
73844f9c
PT
1354Other methods are available, you are encouraged to read their Javadoc and see if
1355they can be potentially useful.
f5b8868d 1356
73844f9c 1357==== ITmfStateSystemBuilder ====
f5b8868d 1358
73844f9c
PT
1359ITmfStateSystemBuilder is the read-write interface to the state system. It
1360extends ITmfStateSystem itself, so all its methods are available. It then adds
1361methods that can be used to write to the state system, either by creating new
1362attributes of inserting state changes.
f5b8868d 1363
73844f9c
PT
1364It is normally reserved for the state provider and should not be visible to
1365external components. However it will be available in AbstractTmfStateProvider,
1366in the field 'ss'. That way you can call ss.modifyAttribute() etc. in your state
1367provider to write to the state.
f5b8868d 1368
73844f9c 1369The main methods of interest are:
f5b8868d 1370
73844f9c 1371===== getQuark*AndAdd() =====
f5b8868d 1372
73844f9c
PT
1373getQuarkAbsoluteAndAdd() and getQuarkRelativeAndAdd() work exactly like their
1374non-AndAdd counterparts in ITmfStateSystem. The difference is that the -AndAdd
1375versions will not throw any exception: if the requested attribute path does not
1376exist in the system, it will be created, and its newly-assigned quark will be
1377returned.
f5b8868d 1378
73844f9c
PT
1379When in a state provider, the -AndAdd version should normally be used (unless
1380you know for sure the attribute already exist and don't want to create it
1381otherwise). This means that there is no need to define the whole attribute tree
1382in advance, the attributes will be created on-demand.
f5b8868d 1383
73844f9c 1384===== modifyAttribute() =====
f5b8868d 1385
73844f9c
PT
1386This is the main state-change-insertion method. As was explained before, a state
1387change is defined by a timestamp, an attribute and a state value. Those three
1388elements need to be passed to modifyAttribute as parameters.
f5b8868d 1389
73844f9c
PT
1390Other state change insertion methods are available (increment-, push-, pop- and
1391removeAttribute()), but those are simply convenience wrappers around
1392modifyAttribute(). Check their Javadoc for more information.
f5b8868d 1393
73844f9c 1394===== closeHistory() =====
f5b8868d 1395
73844f9c
PT
1396When the construction phase is done, do not forget to call closeHistory() to
1397tell the backend that no more intervals will be received. Depending on the
1398backend type, it might have to save files, close descriptors, etc. This ensures
1399that a persitent file can then be re-used when the trace is opened again.
f5b8868d 1400
73844f9c
PT
1401If you use the AbstractTmfStateProvider, it will call closeHistory()
1402automatically when it reaches the end of the trace.
f5b8868d 1403
73844f9c 1404=== Other relevant interfaces ===
f5b8868d 1405
73844f9c 1406==== o.e.l.tmf.core.statevalue.ITmfStateValue ====
f5b8868d 1407
73844f9c
PT
1408This is the interface used to represent state values. Those are used when
1409inserting state changes in the provider, and is also part of the state intervals
1410obtained when doing queries.
f5b8868d 1411
73844f9c
PT
1412The abstract TmfStateValue class contains the factory methods to create new
1413state values of either int, long or string types. To retrieve the real object
1414inside the state value, one can use the .unbox* methods.
f5b8868d 1415
73844f9c 1416Note: Do not instantiate null values manually, use TmfStateValue.nullValue()
f5b8868d 1417
73844f9c 1418==== o.e.l.tmf.core.interval.ITmfStateInterval ====
f5b8868d 1419
73844f9c
PT
1420This is the interface to represent the state intervals, which are stored in the
1421state history backend, and are returned when doing state system queries. A very
1422simple implementation is available in TmfStateInterval. Its methods should be
1423self-descriptive.
f5b8868d 1424
73844f9c 1425=== Exceptions ===
f5b8868d 1426
73844f9c
PT
1427The following exceptions, found in o.e.l.tmf.core.exceptions, are related to
1428state system activities.
f5b8868d 1429
73844f9c 1430==== AttributeNotFoundException ====
f5b8868d 1431
73844f9c
PT
1432This is thrown by getQuarkRelative() and getQuarkAbsolute() (but not byt the
1433-AndAdd versions!) when passing an attribute path that is not present in the
1434state system. This is to ensure that no new attribute is created when using
1435these versions of the methods.
f5b8868d 1436
73844f9c
PT
1437Views can expect some attributes to be present, but they should handle these
1438exceptions for when the attributes end up not being in the state system (perhaps
1439this particular trace didn't have a certain type of events, etc.)
f5b8868d 1440
73844f9c 1441==== StateValueTypeException ====
f5b8868d 1442
73844f9c
PT
1443This exception will be thrown when trying to unbox a state value into a type
1444different than its own. You should always check with ITmfStateValue#getType()
1445beforehand if you are not sure about the type of a given state value.
f5b8868d 1446
73844f9c 1447==== TimeRangeException ====
f5b8868d 1448
73844f9c
PT
1449This exception is thrown when trying to do a query on the state system for a
1450timestamp that is outside of its range. To be safe, you should check with
1451ITmfStateSystem#getStartTime() and #getCurrentEndTime() for the current valid
1452range of the state system. This is especially important when doing queries on
1453a state system that is currently being built.
f5b8868d 1454
73844f9c 1455==== StateSystemDisposedException ====
f5b8868d 1456
73844f9c
PT
1457This exception is thrown when trying to access a state system that has been
1458disposed, with its dispose() method. This can potentially happen at shutdown,
1459since Eclipse is not always consistent with the order in which the components
1460are closed.
f5b8868d 1461
f5b8868d 1462
73844f9c 1463== Comparison of state system backends ==
f5b8868d 1464
73844f9c
PT
1465As we have seen in section [[#High-level components]], the state system needs
1466a storage backend to save the intervals. Different implementations are
1467available when building your state system from TmfStateSystemFactory.
f5b8868d 1468
73844f9c
PT
1469Do not confuse full/single queries with full/partial history! All backend types
1470should be able to handle any type of queries defined in the ITmfStateSystem API,
1471unless noted otherwise.
f5b8868d 1472
73844f9c 1473=== Full history ===
2819a797 1474
73844f9c
PT
1475Available with TmfStateSystemFactory#newFullHistory(). The full history uses a
1476History Tree data structure, which is an optimized structure store state
1477intervals on disk. Once built, it can respond to queries in a ''log(n)'' manner.
2819a797 1478
73844f9c
PT
1479You need to specify a file at creation time, which will be the container for
1480the history tree. Once it's completely built, it will remain on disk (until you
1481delete the trace from the project). This way it can be reused from one session
1482to another, which makes subsequent loading time much faster.
2819a797 1483
73844f9c
PT
1484This the backend used by the LTTng kernel plugin. It offers good scalability and
1485performance, even at extreme sizes (it's been tested with traces of sizes up to
1486500 GB). Its main downside is the amount of disk space required: since every
1487single interval is written to disk, the size of the history file can quite
1488easily reach and even surpass the size of the trace itself.
2819a797 1489
73844f9c 1490=== Null history ===
2819a797 1491
73844f9c
PT
1492Available with TmfStateSystemFactory#newNullHistory(). As its name implies the
1493null history is in fact an absence of state history. All its query methods will
1494return null (see the Javadoc in NullBackend).
2819a797 1495
73844f9c 1496Obviously, no file is required, and almost no memory space is used.
2819a797 1497
73844f9c
PT
1498It's meant to be used in cases where you are not interested in past states, but
1499only in the "ongoing" one. It can also be useful for debugging and benchmarking.
2819a797 1500
73844f9c 1501=== In-memory history ===
2819a797 1502
73844f9c
PT
1503Available with TmfStateSystemFactory#newInMemHistory(). This is a simple wrapper
1504using an ArrayList to store all state intervals in memory. The implementation
1505at the moment is quite simple, it will iterate through all entries when doing
1506queries to find the ones that match.
2819a797 1507
73844f9c
PT
1508The advantage of this method is that it's very quick to build and query, since
1509all the information resides in memory. However, you are limited to 2^31 entries
1510(roughly 2 billions), and depending on your state provider and trace type, that
1511can happen really fast!
2819a797 1512
73844f9c
PT
1513There are no safeguards, so if you bust the limit you will end up with
1514ArrayOutOfBoundsException's everywhere. If your trace or state history can be
1515arbitrarily big, it's probably safer to use a Full History instead.
2819a797 1516
73844f9c 1517=== Partial history ===
2819a797 1518
73844f9c
PT
1519Available with TmfStateSystemFactory#newPartialHistory(). The partial history is
1520a more advanced form of the full history. Instead of writing all state intervals
1521to disk like with the full history, we only write a small fraction of them, and
1522go back to read the trace to recreate the states in-between.
2819a797 1523
73844f9c
PT
1524It has a big advantage over a full history in terms of disk space usage. It's
1525very possible to reduce the history tree file size by a factor of 1000, while
1526keeping query times within a factor of two. Its main downside comes from the
1527fact that you cannot do efficient single queries with it (they are implemented
1528by doing full queries underneath).
2819a797 1529
73844f9c
PT
1530This makes it a poor choice for views like the Control Flow view, where you do
1531a lot of range queries and single queries. However, it is a perfect fit for
1532cases like statistics, where you usually do full queries already, and you store
1533lots of small states which are very easy to "compress".
2819a797 1534
73844f9c 1535However, it can't really be used until bug 409630 is fixed.
2819a797 1536
73844f9c 1537== Code example ==
2819a797 1538
73844f9c
PT
1539Here is a small example of code that will use the state system. For this
1540example, let's assume we want to track the state of all the CPUs in a LTTng
1541kernel trace. To do so, we will watch for the "sched_switch" event in the state
1542provider, and will update an attribute indicating if the associated CPU should
1543be set to "running" or "idle".
2819a797 1544
73844f9c
PT
1545We will use an attribute tree that looks like this:
1546<pre>
1547CPUs
1548 |--0
1549 | |--Status
1550 |
1551 |--1
1552 | |--Status
1553 |
1554 | 2
1555 | |--Status
1556...
1557</pre>
2819a797 1558
73844f9c
PT
1559The second-level attributes will be named from the information available in the
1560trace events. Only the "Status" attributes will carry a state value (this means
1561we could have just used "1", "2", "3",... directly, but we'll do it in a tree
1562for the example's sake).
2819a797 1563
73844f9c
PT
1564Also, we will use integer state values to represent "running" or "idle", instead
1565of saving the strings that would get repeated every time. This will help in
1566reducing the size of the history file.
2819a797 1567
73844f9c
PT
1568First we will define a state provider in MyStateProvider. Then, assuming we
1569have already implemented a custom trace type extending CtfTmfTrace, we will add
1570a section to it to make it build a state system using the provider we defined
1571earlier. Finally, we will show some example code that can query the state
1572system, which would normally go in a view or analysis module.
2819a797 1573
73844f9c 1574=== State Provider ===
2819a797 1575
73844f9c
PT
1576<pre>
1577import org.eclipse.linuxtools.tmf.core.ctfadaptor.CtfTmfEvent;
1578import org.eclipse.linuxtools.tmf.core.event.ITmfEvent;
1579import org.eclipse.linuxtools.tmf.core.exceptions.AttributeNotFoundException;
1580import org.eclipse.linuxtools.tmf.core.exceptions.StateValueTypeException;
1581import org.eclipse.linuxtools.tmf.core.exceptions.TimeRangeException;
1582import org.eclipse.linuxtools.tmf.core.statesystem.AbstractTmfStateProvider;
1583import org.eclipse.linuxtools.tmf.core.statevalue.ITmfStateValue;
1584import org.eclipse.linuxtools.tmf.core.statevalue.TmfStateValue;
1585import org.eclipse.linuxtools.tmf.core.trace.ITmfTrace;
2819a797 1586
73844f9c
PT
1587/**
1588 * Example state system provider.
1589 *
1590 * @author Alexandre Montplaisir
1591 */
1592public class MyStateProvider extends AbstractTmfStateProvider {
2819a797 1593
73844f9c
PT
1594 /** State value representing the idle state */
1595 public static ITmfStateValue IDLE = TmfStateValue.newValueInt(0);
2819a797 1596
73844f9c
PT
1597 /** State value representing the running state */
1598 public static ITmfStateValue RUNNING = TmfStateValue.newValueInt(1);
2819a797 1599
73844f9c
PT
1600 /**
1601 * Constructor
1602 *
1603 * @param trace
1604 * The trace to which this state provider is associated
1605 */
1606 public MyStateProvider(ITmfTrace trace) {
1607 super(trace, CtfTmfEvent.class, "Example"); //$NON-NLS-1$
1608 /*
1609 * The third parameter here is not important, it's only used to name a
1610 * thread internally.
1611 */
1612 }
2819a797 1613
73844f9c
PT
1614 @Override
1615 public int getVersion() {
1616 /*
1617 * If the version of an existing file doesn't match the version supplied
1618 * in the provider, a rebuild of the history will be forced.
1619 */
1620 return 1;
1621 }
2819a797 1622
73844f9c
PT
1623 @Override
1624 public MyStateProvider getNewInstance() {
1625 return new MyStateProvider(getTrace());
1626 }
2819a797 1627
73844f9c
PT
1628 @Override
1629 protected void eventHandle(ITmfEvent ev) {
1630 /*
1631 * AbstractStateChangeInput should have already checked for the correct
1632 * class type.
1633 */
1634 CtfTmfEvent event = (CtfTmfEvent) ev;
2819a797 1635
73844f9c
PT
1636 final long ts = event.getTimestamp().getValue();
1637 Integer nextTid = ((Long) event.getContent().getField("next_tid").getValue()).intValue();
1638
1639 try {
1640
1641 if (event.getEventName().equals("sched_switch")) {
1642 int quark = ss.getQuarkAbsoluteAndAdd("CPUs", String.valueOf(event.getCPU()), "Status");
1643 ITmfStateValue value;
1644 if (nextTid > 0) {
1645 value = RUNNING;
1646 } else {
1647 value = IDLE;
1648 }
1649 ss.modifyAttribute(ts, value, quark);
1650 }
1651
1652 } catch (TimeRangeException e) {
1653 /*
1654 * This should not happen, since the timestamp comes from a trace
1655 * event.
1656 */
1657 throw new IllegalStateException(e);
1658 } catch (AttributeNotFoundException e) {
1659 /*
1660 * This should not happen either, since we're only accessing a quark
1661 * we just created.
1662 */
1663 throw new IllegalStateException(e);
1664 } catch (StateValueTypeException e) {
1665 /*
1666 * This wouldn't happen here, but could potentially happen if we try
1667 * to insert mismatching state value types in the same attribute.
1668 */
1669 e.printStackTrace();
1670 }
1671
1672 }
1673
1674}
1675</pre>
1676
1677=== Trace type definition ===
1678
1679<pre>
2819a797 1680import java.io.File;
2819a797
MK
1681
1682import org.eclipse.core.resources.IProject;
2819a797
MK
1683import org.eclipse.core.runtime.IStatus;
1684import org.eclipse.core.runtime.Status;
73844f9c 1685import org.eclipse.linuxtools.tmf.core.ctfadaptor.CtfTmfTrace;
2819a797 1686import org.eclipse.linuxtools.tmf.core.exceptions.TmfTraceException;
73844f9c
PT
1687import org.eclipse.linuxtools.tmf.core.statesystem.ITmfStateProvider;
1688import org.eclipse.linuxtools.tmf.core.statesystem.ITmfStateSystem;
1689import org.eclipse.linuxtools.tmf.core.statesystem.TmfStateSystemFactory;
1690import org.eclipse.linuxtools.tmf.core.trace.TmfTraceManager;
2819a797
MK
1691
1692/**
73844f9c 1693 * Example of a custom trace type using a custom state provider.
2819a797 1694 *
73844f9c 1695 * @author Alexandre Montplaisir
2819a797 1696 */
73844f9c 1697public class MyTraceType extends CtfTmfTrace {
2819a797 1698
73844f9c
PT
1699 /** The file name of the history file */
1700 public final static String HISTORY_FILE_NAME = "mystatefile.ht";
2819a797 1701
73844f9c
PT
1702 /** ID of the state system we will build */
1703 public static final String STATE_ID = "org.eclipse.linuxtools.lttng2.example";
2819a797 1704
73844f9c
PT
1705 /**
1706 * Default constructor
1707 */
1708 public MyTraceType() {
1709 super();
2819a797
MK
1710 }
1711
1712 @Override
73844f9c
PT
1713 public IStatus validate(final IProject project, final String path) {
1714 /*
1715 * Add additional validation code here, and return a IStatus.ERROR if
1716 * validation fails.
1717 */
1718 return Status.OK_STATUS;
2819a797
MK
1719 }
1720
1721 @Override
73844f9c
PT
1722 protected void buildStateSystem() throws TmfTraceException {
1723 super.buildStateSystem();
1724
1725 /* Build the custom state system for this trace */
1726 String directory = TmfTraceManager.getSupplementaryFileDir(this);
1727 final File htFile = new File(directory + HISTORY_FILE_NAME);
1728 final ITmfStateProvider htInput = new MyStateProvider(this);
1729
1730 ITmfStateSystem ss = TmfStateSystemFactory.newFullHistory(htFile, htInput, false);
1731 fStateSystems.put(STATE_ID, ss);
2819a797
MK
1732 }
1733
73844f9c
PT
1734}
1735</pre>
1736
1737=== Query code ===
1738
1739<pre>
1740import java.util.List;
1741
1742import org.eclipse.linuxtools.tmf.core.exceptions.AttributeNotFoundException;
1743import org.eclipse.linuxtools.tmf.core.exceptions.StateSystemDisposedException;
1744import org.eclipse.linuxtools.tmf.core.exceptions.TimeRangeException;
1745import org.eclipse.linuxtools.tmf.core.interval.ITmfStateInterval;
1746import org.eclipse.linuxtools.tmf.core.statesystem.ITmfStateSystem;
1747import org.eclipse.linuxtools.tmf.core.statevalue.ITmfStateValue;
1748import org.eclipse.linuxtools.tmf.core.trace.ITmfTrace;
1749
1750/**
1751 * Class showing examples of state system queries.
1752 *
1753 * @author Alexandre Montplaisir
1754 */
1755public class QueryExample {
1756
1757 private final ITmfStateSystem ss;
1758
2819a797 1759 /**
73844f9c
PT
1760 * Constructor
1761 *
1762 * @param trace
1763 * Trace that this "view" will display.
2819a797 1764 */
73844f9c
PT
1765 public QueryExample(ITmfTrace trace) {
1766 ss = trace.getStateSystems().get(MyTraceType.STATE_ID);
2819a797
MK
1767 }
1768
73844f9c
PT
1769 /**
1770 * Example method of querying one attribute in the state system.
1771 *
1772 * We pass it a cpu and a timestamp, and it returns us if that cpu was
1773 * executing a process (true/false) at that time.
1774 *
1775 * @param cpu
1776 * The CPU to check
1777 * @param timestamp
1778 * The timestamp of the query
1779 * @return True if the CPU was running, false otherwise
1780 */
1781 public boolean cpuIsRunning(int cpu, long timestamp) {
2819a797 1782 try {
73844f9c
PT
1783 int quark = ss.getQuarkAbsolute("CPUs", String.valueOf(cpu), "Status");
1784 ITmfStateValue value = ss.querySingleState(timestamp, quark).getStateValue();
2819a797 1785
73844f9c
PT
1786 if (value.equals(MyStateProvider.RUNNING)) {
1787 return true;
1788 }
2819a797 1789
73844f9c
PT
1790 /*
1791 * Since at this level we have no guarantee on the contents of the state
1792 * system, it's important to handle these cases correctly.
1793 */
1794 } catch (AttributeNotFoundException e) {
1795 /*
1796 * Handle the case where the attribute does not exist in the state
1797 * system (no CPU with this number, etc.)
1798 */
1799 ...
1800 } catch (TimeRangeException e) {
1801 /*
1802 * Handle the case where 'timestamp' is outside of the range of the
1803 * history.
1804 */
1805 ...
1806 } catch (StateSystemDisposedException e) {
1807 /*
1808 * Handle the case where the state system is being disposed. If this
1809 * happens, it's normally when shutting down, so the view can just
1810 * return immediately and wait it out.
1811 */
1812 }
1813 return false;
2819a797
MK
1814 }
1815
2819a797 1816
73844f9c
PT
1817 /**
1818 * Example method of using a full query.
1819 *
1820 * We pass it a timestamp, and it returns us how many CPUs were executing a
1821 * process at that moment.
1822 *
1823 * @param timestamp
1824 * The target timestamp
1825 * @return The amount of CPUs that were running at that time
1826 */
1827 public int getNbRunningCpus(long timestamp) {
1828 int count = 0;
2819a797 1829
73844f9c
PT
1830 try {
1831 /* Get the list of the quarks we are interested in. */
1832 List<Integer> quarks = ss.getQuarks("CPUs", "*", "Status");
2819a797 1833
73844f9c
PT
1834 /*
1835 * Get the full state at our target timestamp (it's better than
1836 * doing an arbitrary number of single queries).
1837 */
1838 List<ITmfStateInterval> state = ss.queryFullState(timestamp);
2819a797 1839
73844f9c
PT
1840 /* Look at the value of the state for each quark */
1841 for (Integer quark : quarks) {
1842 ITmfStateValue value = state.get(quark).getStateValue();
1843 if (value.equals(MyStateProvider.RUNNING)) {
1844 count++;
1845 }
2819a797 1846 }
73844f9c
PT
1847
1848 } catch (TimeRangeException e) {
1849 /*
1850 * Handle the case where 'timestamp' is outside of the range of the
1851 * history.
1852 */
1853 ...
1854 } catch (StateSystemDisposedException e) {
1855 /* Handle the case where the state system is being disposed. */
1856 ...
2819a797 1857 }
73844f9c 1858 return count;
2819a797
MK
1859 }
1860}
1861</pre>
1862
73844f9c 1863= UML2 Sequence Diagram Framework =
2819a797 1864
73844f9c
PT
1865The purpose of the UML2 Sequence Diagram Framework of TMF is to provide a framework for generation of UML2 sequence diagrams. It provides
1866*UML2 Sequence diagram drawing capabilities (i.e. lifelines, messages, activations, object creation and deletion)
1867*a generic, re-usable Sequence Diagram View
1868*Eclipse Extension Point for the creation of sequence diagrams
1869*callback hooks for searching and filtering within the Sequence Diagram View
1870*scalability<br>
1871The following chapters describe the Sequence Diagram Framework as well as a reference implementation and its usage.
2819a797 1872
73844f9c 1873== TMF UML2 Sequence Diagram Extensions ==
2819a797 1874
73844f9c 1875In the UML2 Sequence Diagram Framework an Eclipse extension point is defined so that other plug-ins can contribute code to create sequence diagram.
2819a797 1876
73844f9c
PT
1877'''Identifier''': org.eclipse.linuxtools.tmf.ui.uml2SDLoader<br>
1878'''Since''': Since 0.3.2 (based on UML2SD of org.eclipse.tptp.common.ui)<br>
1879'''Description''': This extension point aims to list and connect any UML2 Sequence Diagram loader.<br>
1880'''Configuration Markup''':<br>
2819a797 1881
73844f9c
PT
1882<pre>
1883<!ELEMENT extension (uml2SDLoader)+>
1884<!ATTLIST extension
1885point CDATA #REQUIRED
1886id CDATA #IMPLIED
1887name CDATA #IMPLIED
1888>
1889</pre>
2819a797 1890
73844f9c
PT
1891*point - A fully qualified identifier of the target extension point.
1892*id - An optional identifier of the extension instance.
1893*name - An optional name of the extension instance.
2819a797 1894
73844f9c
PT
1895<pre>
1896<!ELEMENT uml2SDLoader EMPTY>
1897<!ATTLIST uml2SDLoader
1898id CDATA #REQUIRED
1899name CDATA #REQUIRED
1900class CDATA #REQUIRED
1901view CDATA #REQUIRED
1902default (true | false)
1903</pre>
2819a797 1904
73844f9c
PT
1905*id - A unique identifier for this uml2SDLoader. This is not mandatory as long as the id attribute cannot be retrieved by the provider plug-in. The class attribute is the one on which the underlying algorithm relies.
1906*name - An name of the extension instance.
1907*class - The implementation of this UML2 SD viewer loader. The class must implement org.eclipse.linuxtools.tmf.ui.views.uml2sd.load.IUml2SDLoader.
1908*view - The view ID of the view that this loader aims to populate. Either org.eclipse.linuxtools.tmf.ui.views.uml2sd.SDView itself or a extension of org.eclipse.linuxtools.tmf.ui.views.uml2sd.SDView.
1909*default - Set to true to make this loader the default one for the view; in case of several default loaders, first one coming from extensions list is taken.
2819a797 1910
2819a797 1911
73844f9c 1912== Management of the Extension Point ==
2819a797 1913
73844f9c
PT
1914The TMF UI plug-in is responsible for evaluating each contribution to the extension point.
1915<br>
1916<br>
1917With this extension point, a loader class is associated with a Sequence Diagram View. Multiple loaders can be associated to a single Sequence Diagram View. However, additional means have to be implemented to specify which loader should be used when opening the view. For example, an eclipse action or command could be used for that. This additional code is not necessary if there is only one loader for a given Sequence Diagram View associated and this loader has the attribute "default" set to "true". (see also [[#Using one Sequence Diagram View with Multiple Loaders | Using one Sequence Diagram View with Multiple Loaders]])
2819a797 1918
73844f9c 1919== Sequence Diagram View ==
2819a797 1920
73844f9c 1921For this extension point a Sequence Diagram View has to be defined as well. The Sequence Diagram View class implementation is provided by the plug-in ''org.eclipse.linuxtools.tmf.ui'' (''org.eclipse.linuxtools.tmf.ui.views.uml2sd.SDView'') and can be used as is or can also be sub-classed. For that, a view extension has to be added to the ''plugin.xml''.
2819a797 1922
73844f9c 1923=== Supported Widgets ===
2819a797 1924
73844f9c 1925The loader class provides a frame containing all the UML2 widgets to be displayed. The following widgets exist:
2819a797 1926
73844f9c
PT
1927*Lifeline
1928*Activation
1929*Synchronous Message
1930*Asynchronous Message
1931*Synchronous Message Return
1932*Asynchronous Message Return
1933*Stop
2819a797 1934
73844f9c 1935For a lifeline, a category can be defined. The lifeline category defines icons, which are displayed in the lifeline header.
2819a797 1936
73844f9c 1937=== Zooming ===
2819a797 1938
73844f9c 1939The Sequence Diagram View allows the user to zoom in, zoom out and reset the zoom factor.
2819a797 1940
73844f9c 1941=== Printing ===
2819a797 1942
73844f9c 1943It is possible to print the whole sequence diagram as well as part of it.
2819a797 1944
73844f9c 1945=== Key Bindings ===
2819a797 1946
73844f9c
PT
1947*SHIFT+ALT+ARROW-DOWN - to scroll down within sequence diagram one view page at a time
1948*SHIFT+ALT+ARROW-UP - to scroll up within sequence diagram one view page at a time
1949*SHIFT+ALT+ARROW-RIGHT - to scroll right within sequence diagram one view page at a time
1950*SHIFT+ALT+ARROW-LEFT - to scroll left within sequence diagram one view page at a time
1951*SHIFT+ALT+ARROW-HOME - to jump to the beginning of the selected message if not already visible in page
1952*SHIFT+ALT+ARROW-END - to jump to the end of the selected message if not already visible in page
1953*CTRL+F - to open find dialog if either the basic or extended find provider is defined (see [[#Using the Find Provider Interface | Using the Find Provider Interface]])
1954*CTRL+P - to open print dialog
067490ab 1955
73844f9c 1956=== Preferences ===
5f7ef209 1957
73844f9c
PT
1958The UML2 Sequence Diagram Framework provides preferences to customize the appearance of the Sequence Diagram View. The color of all widgets and text as well as the fonts of the text of all widget can be adjust. Amongst others the default lifeline width can be alternated. To change preferences select '''Windows->Preferences->Tracing->UML2 Sequence Diagrams'''. The following preference page will show:<br>
1959[[Image:images/SeqDiagramPref.png]] <br>
1960After changing the preferences select '''OK'''.
067490ab 1961
73844f9c 1962=== Callback hooks ===
067490ab 1963
73844f9c
PT
1964The Sequence Diagram View provides several callback hooks so that extension can provide application specific functionality. The following interfaces can be provided:
1965* Basic find provider or extended find Provider<br> For finding within the sequence diagram
1966* Basic filter provider and extended Filter Provider<br> For filtering within the sequnce diagram.
1967* Basic paging provider or advanced paging provider<br> For scalability reasons, used to limit number of displayed messages
1968* Properies provider<br> To provide properties of selected elements
1969* Collapse provider <br> To collapse areas of the sequence diagram
067490ab 1970
73844f9c 1971== Tutorial ==
067490ab 1972
73844f9c 1973This tutorial describes how to create a UML2 Sequence Diagram Loader extension and use this loader in the in Eclipse.
067490ab 1974
73844f9c 1975=== Prerequisites ===
067490ab 1976
73844f9c 1977The tutorial is based on Eclipse 3.7 (Eclipse Indigo) and TMF 0.3.2.
067490ab 1978
73844f9c 1979=== Creating an Eclipse UI Plug-in ===
067490ab 1980
73844f9c
PT
1981To create a new project with name org.eclipse.linuxtools.tmf.sample.ui select '''File -> New -> Project -> Plug-in Development -> Plug-in Project'''. <br>
1982[[Image:images/Screenshot-NewPlug-inProject1.png]]<br>
067490ab 1983
73844f9c 1984[[Image:images/Screenshot-NewPlug-inProject2.png]]<br>
067490ab 1985
73844f9c 1986[[Image:images/Screenshot-NewPlug-inProject3.png]]<br>
067490ab 1987
73844f9c 1988=== Creating a Sequence Diagram View ===
067490ab 1989
73844f9c
PT
1990To open the plug-in manifest, double-click on the MANIFEST.MF file. <br>
1991[[Image:images/SelectManifest.png]]<br>
5f7ef209 1992
73844f9c
PT
1993Change to the Dependencies tab and select '''Add...''' of the ''Required Plug-ins'' section. A new dialog box will open. Next find plug-in ''org.eclipse.linuxtools.tmf.ui'' and press '''OK'''<br>
1994[[Image:images/AddDependencyTmfUi.png]]<br>
067490ab 1995
73844f9c
PT
1996Change to the Extensions tab and select '''Add...''' of the ''All Extension'' section. A new dialog box will open. Find the view extension ''org.eclipse.ui.views'' and press '''Finish'''.<br>
1997[[Image:images/AddViewExtension1.png]]<br>
067490ab 1998
73844f9c
PT
1999To create a Sequence Diagram View, click the right mouse button. Then select '''New -> view'''<br>
2000[[Image:images/AddViewExtension2.png]]<br>
32897d73 2001
73844f9c
PT
2002A new view entry has been created. Fill in the fields ''id'', ''name'' and ''class''. Note that for ''class'' the SD view implementation (''org.eclipse.linuxtools.tmf.ui.views.SDView'') of the TMF UI plug-in is used.<br>
2003[[Image:images/FillSampleSeqDiagram.png]]<br>
32897d73 2004
73844f9c
PT
2005The view is prepared. Run the Example. To launch the an Eclipse Application select the ''Overview'' tab and click on '''Launch an Eclipse Application'''<br>
2006[[Image:images/RunEclipseApplication.png]]<br>
32897d73 2007
73844f9c
PT
2008A new Eclipse application window will show. In the new window go to '''Windows -> Show View -> Other... -> Other -> Sample Sequence Diagram'''.<br>
2009[[Image:images/ShowViewOther.png]]<br>
32897d73 2010
73844f9c
PT
2011The Sequence Diagram View will open with an blank page.<br>
2012[[Image:images/BlankSampleSeqDiagram.png]]<br>
32897d73 2013
73844f9c 2014Close the Example Application.
32897d73 2015
73844f9c 2016=== Defining the uml2SDLoader Extension ===
32897d73 2017
73844f9c 2018After defining the Sequence Diagram View it's time to create the ''uml2SDLoader'' Extension. <br>
32897d73 2019
73844f9c
PT
2020Before doing that add a dependency to TMF. For that select '''Add...''' of the ''Required Plug-ins'' section. A new dialog box will open. Next find plug-in ''org.eclipse.linuxtools.tmf'' and press '''OK'''<br>
2021[[Image:images/AddDependencyTmf.png]]<br>
32897d73 2022
73844f9c
PT
2023To create the loader extension, change to the Extensions tab and select '''Add...''' of the ''All Extension'' section. A new dialog box will open. Find the extension ''org.eclipse.linuxtools.tmf.ui.uml2SDLoader'' and press '''Finish'''.<br>
2024[[Image:images/AddTmfUml2SDLoader.png]]<br>
32897d73 2025
73844f9c
PT
2026A new 'uml2SDLoader'' extension has been created. Fill in fields ''id'', ''name'', ''class'', ''view'' and ''default''. Use ''default'' equal true for this example. For the view add the id of the Sequence Diagram View of chapter [[#Creating a Sequence Diagram View | Creating a Sequence Diagram View]]. <br>
2027[[Image:images/FillSampleLoader.png]]<br>
32897d73 2028
73844f9c
PT
2029Then click on ''class'' (see above) to open the new class dialog box. Fill in the relevant fields and select '''Finish'''. <br>
2030[[Image:images/NewSampleLoaderClass.png]]<br>
32897d73 2031
73844f9c 2032A new Java class will be created which implements the interface ''org.eclipse.linuxtools.tmf.ui.views.uml2sd.load.IUml2SDLoader''.<br>
32897d73 2033
73844f9c
PT
2034<pre>
2035package org.eclipse.linuxtools.tmf.sample.ui;
32897d73 2036
73844f9c
PT
2037import org.eclipse.linuxtools.tmf.ui.views.uml2sd.SDView;
2038import org.eclipse.linuxtools.tmf.ui.views.uml2sd.load.IUml2SDLoader;
32897d73 2039
73844f9c 2040public class SampleLoader implements IUml2SDLoader {
32897d73 2041
73844f9c
PT
2042 public SampleLoader() {
2043 // TODO Auto-generated constructor stub
2044 }
32897d73 2045
73844f9c
PT
2046 @Override
2047 public void dispose() {
2048 // TODO Auto-generated method stub
32897d73 2049
73844f9c 2050 }
32897d73 2051
73844f9c
PT
2052 @Override
2053 public String getTitleString() {
2054 // TODO Auto-generated method stub
2055 return null;
2056 }
32897d73 2057
73844f9c
PT
2058 @Override
2059 public void setViewer(SDView arg0) {
2060 // TODO Auto-generated method stub
32897d73 2061
73844f9c 2062 }
32897d73
AM
2063</pre>
2064
73844f9c 2065=== Implementing the Loader Class ===
32897d73 2066
73844f9c 2067Next is to implement the methods of the IUml2SDLoader interface method. The following code snippet shows how to create the major sequence diagram elements. Please note that no time information is stored.<br>
32897d73 2068
73844f9c
PT
2069<pre>
2070package org.eclipse.linuxtools.tmf.sample.ui;
32897d73 2071
73844f9c
PT
2072import org.eclipse.linuxtools.tmf.ui.views.uml2sd.SDView;
2073import org.eclipse.linuxtools.tmf.ui.views.uml2sd.core.AsyncMessage;
2074import org.eclipse.linuxtools.tmf.ui.views.uml2sd.core.AsyncMessageReturn;
2075import org.eclipse.linuxtools.tmf.ui.views.uml2sd.core.ExecutionOccurrence;
2076import org.eclipse.linuxtools.tmf.ui.views.uml2sd.core.Frame;
2077import org.eclipse.linuxtools.tmf.ui.views.uml2sd.core.Lifeline;
2078import org.eclipse.linuxtools.tmf.ui.views.uml2sd.core.Stop;
2079import org.eclipse.linuxtools.tmf.ui.views.uml2sd.core.SyncMessage;
2080import org.eclipse.linuxtools.tmf.ui.views.uml2sd.core.SyncMessageReturn;
2081import org.eclipse.linuxtools.tmf.ui.views.uml2sd.load.IUml2SDLoader;
32897d73 2082
73844f9c 2083public class SampleLoader implements IUml2SDLoader {
32897d73 2084
73844f9c
PT
2085 private SDView fSdView;
2086
2087 public SampleLoader() {
2088 }
32897d73 2089
73844f9c
PT
2090 @Override
2091 public void dispose() {
2092 }
32897d73 2093
73844f9c
PT
2094 @Override
2095 public String getTitleString() {
2096 return "Sample Diagram";
2097 }
32897d73 2098
73844f9c
PT
2099 @Override
2100 public void setViewer(SDView arg0) {
2101 fSdView = arg0;
2102 createFrame();
2103 }
2104
2105 private void createFrame() {
32897d73 2106
73844f9c
PT
2107 Frame testFrame = new Frame();
2108 testFrame.setName("Sample Frame");
32897d73 2109
73844f9c
PT
2110 /*
2111 * Create lifelines
2112 */
2113
2114 Lifeline lifeLine1 = new Lifeline();
2115 lifeLine1.setName("Object1");
2116 testFrame.addLifeLine(lifeLine1);
2117
2118 Lifeline lifeLine2 = new Lifeline();
2119 lifeLine2.setName("Object2");
2120 testFrame.addLifeLine(lifeLine2);
2121
32897d73 2122
73844f9c
PT
2123 /*
2124 * Create Sync Message
2125 */
2126 // Get new occurrence on lifelines
2127 lifeLine1.getNewEventOccurrence();
2128
2129 // Get Sync message instances
2130 SyncMessage start = new SyncMessage();
2131 start.setName("Start");
2132 start.setEndLifeline(lifeLine1);
2133 testFrame.addMessage(start);
32897d73 2134
73844f9c
PT
2135 /*
2136 * Create Sync Message
2137 */
2138 // Get new occurrence on lifelines
2139 lifeLine1.getNewEventOccurrence();
2140 lifeLine2.getNewEventOccurrence();
2141
2142 // Get Sync message instances
2143 SyncMessage syn1 = new SyncMessage();
2144 syn1.setName("Sync Message 1");
2145 syn1.setStartLifeline(lifeLine1);
2146 syn1.setEndLifeline(lifeLine2);
2147 testFrame.addMessage(syn1);
32897d73 2148
73844f9c
PT
2149 /*
2150 * Create corresponding Sync Message Return
2151 */
2152
2153 // Get new occurrence on lifelines
2154 lifeLine1.getNewEventOccurrence();
2155 lifeLine2.getNewEventOccurrence();
32897d73 2156
73844f9c
PT
2157 SyncMessageReturn synReturn1 = new SyncMessageReturn();
2158 synReturn1.setName("Sync Message Return 1");
2159 synReturn1.setStartLifeline(lifeLine2);
2160 synReturn1.setEndLifeline(lifeLine1);
2161 synReturn1.setMessage(syn1);
2162 testFrame.addMessage(synReturn1);
2163
2164 /*
2165 * Create Activations (Execution Occurrence)
2166 */
2167 ExecutionOccurrence occ1 = new ExecutionOccurrence();
2168 occ1.setStartOccurrence(start.getEventOccurrence());
2169 occ1.setEndOccurrence(synReturn1.getEventOccurrence());
2170 lifeLine1.addExecution(occ1);
2171 occ1.setName("Activation 1");
2172
2173 ExecutionOccurrence occ2 = new ExecutionOccurrence();
2174 occ2.setStartOccurrence(syn1.getEventOccurrence());
2175 occ2.setEndOccurrence(synReturn1.getEventOccurrence());
2176 lifeLine2.addExecution(occ2);
2177 occ2.setName("Activation 2");
2178
2179 /*
2180 * Create Sync Message
2181 */
2182 // Get new occurrence on lifelines
2183 lifeLine1.getNewEventOccurrence();
2184 lifeLine2.getNewEventOccurrence();
2185
2186 // Get Sync message instances
2187 AsyncMessage asyn1 = new AsyncMessage();
2188 asyn1.setName("Async Message 1");
2189 asyn1.setStartLifeline(lifeLine1);
2190 asyn1.setEndLifeline(lifeLine2);
2191 testFrame.addMessage(asyn1);
32897d73 2192
73844f9c
PT
2193 /*
2194 * Create corresponding Sync Message Return
2195 */
2196
2197 // Get new occurrence on lifelines
2198 lifeLine1.getNewEventOccurrence();
2199 lifeLine2.getNewEventOccurrence();
32897d73 2200
73844f9c
PT
2201 AsyncMessageReturn asynReturn1 = new AsyncMessageReturn();
2202 asynReturn1.setName("Async Message Return 1");
2203 asynReturn1.setStartLifeline(lifeLine2);
2204 asynReturn1.setEndLifeline(lifeLine1);
2205 asynReturn1.setMessage(asyn1);
2206 testFrame.addMessage(asynReturn1);
2207
2208 /*
2209 * Create a note
2210 */
2211
2212 // Get new occurrence on lifelines
2213 lifeLine1.getNewEventOccurrence();
2214
2215 EllipsisisMessage info = new EllipsisisMessage();
2216 info.setName("Object deletion");
2217 info.setStartLifeline(lifeLine2);
2218 testFrame.addNode(info);
2219
2220 /*
2221 * Create a Stop
2222 */
2223 Stop stop = new Stop();
2224 stop.setLifeline(lifeLine2);
2225 stop.setEventOccurrence(lifeLine2.getNewEventOccurrence());
2226 lifeLine2.addNode(stop);
2227
2228 fSdView.setFrame(testFrame);
2229 }
2230}
2231</pre>
32897d73 2232
73844f9c
PT
2233Now it's time to run the example application. To launch the Example Application select the ''Overview'' tab and click on '''Launch an Eclipse Application'''<br>
2234[[Image:images/SampleDiagram1.png]] <br>
32897d73 2235
73844f9c 2236=== Adding time information ===
32897d73 2237
73844f9c 2238To add time information in sequence diagram the timestamp has to be set for each message. The sequence diagram framework uses the ''TmfTimestamp'' class of plug-in ''org.eclipse.linuxtools.tmf''. Use ''setTime()'' on each message ''SyncMessage'' since start and end time are the same. For each ''AsyncMessage'' set start and end time separately by using methods ''setStartTime'' and ''setEndTime''. For example: <br>
32897d73 2239
73844f9c
PT
2240<pre>
2241 private void createFrame() {
2242 //...
2243 start.setTime(new TmfTimestamp(1000, -3));
2244 syn1.setTime(new TmfTimestamp(1005, -3));
2245 synReturn1.setTime(new TmfTimestamp(1050, -3));
2246 asyn1.setStartTime(new TmfTimestamp(1060, -3));
2247 asyn1.setEndTime(new TmfTimestamp(1070, -3));
2248 asynReturn1.setStartTime(new TmfTimestamp(1060, -3));
2249 asynReturn1.setEndTime(new TmfTimestamp(1070, -3));
2250 //...
2251 }
2252</pre>
32897d73 2253
73844f9c 2254When running the example application, a time compression bar on the left appears which indicates the time elapsed between consecutive events. The time compression scale shows where the time falls between the minimum and maximum delta times. The intensity of the color is used to indicate the length of time, namely, the deeper the intensity, the higher the delta time. The minimum and maximum delta times are configurable through the collbar menu ''Configure Min Max''. The time compression bar and scale may provide an indication about which events consumes the most time. By hovering over the time compression bar a tooltip appears containing more information. <br>
32897d73 2255
73844f9c 2256[[Image:images/SampleDiagramTimeComp.png]] <br>
32897d73 2257
73844f9c 2258By hovering over a message it will show the time information in the appearing tooltip. For each ''SyncMessage'' it shows its time occurrence and for each ''AsyncMessage'' it shows the start and end time.
32897d73 2259
73844f9c
PT
2260[[Image:images/SampleDiagramSyncMessage.png]] <br>
2261[[Image:images/SampleDiagramAsyncMessage.png]] <br>
32897d73 2262
73844f9c
PT
2263To see the time elapsed between 2 messages, select one message and hover over a second message. A tooltip will show with the delta in time. Note if the second message is before the first then a negative delta is displayed. Note that for ''AsynMessage'' the end time is used for the delta calculation.<br>
2264[[Image:images/SampleDiagramMessageDelta.png]] <br>
32897d73 2265
73844f9c 2266=== Default Coolbar and Menu Items ===
32897d73 2267
73844f9c
PT
2268The Sequence Diagram View comes with default coolbar and menu items. By default, each sequence diagram shows the following actions:
2269* Zoom in
2270* Zoom out
2271* Reset Zoom Factor
2272* Selection
2273* Configure Min Max (drop-down menu only)
2274* Navigation -> Show the node end (drop-down menu only)
2275* Navigation -> Show the node start (drop-down menu only)
32897d73 2276
73844f9c 2277[[Image:images/DefaultCoolbarMenu.png]]<br>
32897d73 2278
73844f9c 2279=== Implementing Optional Callbacks ===
32897d73 2280
73844f9c 2281The following chapters describe how to use all supported provider interfaces.
32897d73 2282
73844f9c 2283==== Using the Paging Provider Interface ====
32897d73 2284
73844f9c
PT
2285For scalability reasons, the paging provider interfaces exists to limit the number of messages displayed in the Sequence Diagram View at a time. For that, two interfaces exist, the basic paging provider and the advanced paging provider. When using the basic paging interface, actions for traversing page by page through the sequence diagram of a trace will be provided.
2286<br>
2287To use the basic paging provider, first the interface methods of the ''ISDPagingProvider'' have to be implemented by a class. (i.e. ''hasNextPage()'', ''hasPrevPage()'', ''nextPage()'', ''prevPage()'', ''firstPage()'' and ''endPage()''. Typically, this is implemented in the loader class. Secondly, the provider has to be set in the Sequence Diagram View. This will be done in the ''setViewer()'' method of the loader class. Lastly, the paging provider has to be removed from the view, when the ''dispose()'' method of the loader class is called.
32897d73 2288
73844f9c
PT
2289<pre>
2290public class SampleLoader implements IUml2SDLoader, ISDPagingProvider {
2291 //...
2292 private page = 0;
2293
2294 @Override
2295 public void dispose() {
2296 if (fSdView != null) {
2297 fSdView.resetProviders();
2298 }
2299 }
2300
2301 @Override
2302 public void setViewer(SDView arg0) {
2303 fSdView = arg0;
2304 fSdView.setSDPagingProvider(this);
2305 createFrame();
2306 }
2307
2308 private void createSecondFrame() {
2309 Frame testFrame = new Frame();
2310 testFrame.setName("SecondFrame");
2311 Lifeline lifeline = new Lifeline();
2312 lifeline.setName("LifeLine 0");
2313 testFrame.addLifeLine(lifeline);
2314 lifeline = new Lifeline();
2315 lifeline.setName("LifeLine 1");
2316 testFrame.addLifeLine(lifeline);
2317 for (int i = 1; i < 5; i++) {
2318 SyncMessage message = new SyncMessage();
2319 message.autoSetStartLifeline(testFrame.getLifeline(0));
2320 message.autoSetEndLifeline(testFrame.getLifeline(0));
2321 message.setName((new StringBuilder("Message ")).append(i).toString());
2322 testFrame.addMessage(message);
2323
2324 SyncMessageReturn messageReturn = new SyncMessageReturn();
2325 messageReturn.autoSetStartLifeline(testFrame.getLifeline(0));
2326 messageReturn.autoSetEndLifeline(testFrame.getLifeline(0));
2327
2328 testFrame.addMessage(messageReturn);
2329 messageReturn.setName((new StringBuilder("Message return ")).append(i).toString());
2330 ExecutionOccurrence occ = new ExecutionOccurrence();
2331 occ.setStartOccurrence(testFrame.getSyncMessage(i - 1).getEventOccurrence());
2332 occ.setEndOccurrence(testFrame.getSyncMessageReturn(i - 1).getEventOccurrence());
2333 testFrame.getLifeline(0).addExecution(occ);
2334 }
2335 fSdView.setFrame(testFrame);
2336 }
32897d73 2337
73844f9c
PT
2338 @Override
2339 public boolean hasNextPage() {
2340 return page == 0;
2341 }
32897d73 2342
73844f9c
PT
2343 @Override
2344 public boolean hasPrevPage() {
2345 return page == 1;
2346 }
32897d73 2347
73844f9c
PT
2348 @Override
2349 public void nextPage() {
2350 page = 1;
2351 createSecondFrame();
2352 }
32897d73 2353
73844f9c
PT
2354 @Override
2355 public void prevPage() {
2356 page = 0;
2357 createFrame();
2358 }
32897d73 2359
73844f9c
PT
2360 @Override
2361 public void firstPage() {
2362 page = 0;
2363 createFrame();
2364 }
32897d73 2365
73844f9c
PT
2366 @Override
2367 public void lastPage() {
2368 page = 1;
2369 createSecondFrame();
2370 }
2371 //...
2372}
32897d73 2373
73844f9c 2374</pre>
32897d73 2375
73844f9c 2376When running the example application, new actions will be shown in the coolbar and the coolbar menu. <br>
32897d73 2377
73844f9c 2378[[Image:images/PageProviderAdded.png]]
32897d73 2379
73844f9c
PT
2380<br><br>
2381To use the advanced paging provider, the interface ''ISDAdvancePagingProvider'' has to be implemented. It extends the basic paging provider. The methods ''currentPage()'', ''pagesCount()'' and ''pageNumberChanged()'' have to be added.
2382<br>
2383
2384==== Using the Find Provider Interface ====
32897d73 2385
73844f9c
PT
2386For finding nodes in a sequence diagram two interfaces exists. One for basic finding and one for extended finding. The basic find comes with a dialog box for entering find criteria as regular expressions. This find criteria can be used to execute the find. Find criteria a persisted in the Eclipse workspace.
2387<br>
2388For the extended find provider interface a ''org.eclipse.jface.action.Action'' class has to be provided. The actual find handling has to be implemented and triggered by the action.
2389<br>
2390Only on at a time can be active. If the extended find provder is defined it obsoletes the basic find provider.
2391<br>
2392To use the basic find provider, first the interface methods of the ''ISDFindProvider'' have to be implemented by a class. Typically, this is implemented in the loader class. Add the ISDFindProvider to the list of implemented interfaces, implement the methods ''find()'' and ''cancel()'' and set the provider in the ''setViewer()'' method as well as remove the provider in the ''dispose()'' method of the loader class. Please note that the ''ISDFindProvider'' extends the interface ''ISDGraphNodeSupporter'' which methods (''isNodeSupported()'' and ''getNodeName()'') have to be implemented, too. The following shows an example implementation. Please note that only search for lifelines and SynchMessage are supported. The find itself will always find only the first occurrence the pattern to match.
32897d73 2393
73844f9c
PT
2394<pre>
2395public class SampleLoader implements IUml2SDLoader, ISDPagingProvider, ISDFindProvider {
32897d73 2396
73844f9c
PT
2397 //...
2398 @Override
2399 public void dispose() {
2400 if (fSdView != null) {
2401 fSdView.resetProviders();
2402 }
2403 }
32897d73 2404
73844f9c
PT
2405 @Override
2406 public void setViewer(SDView arg0) {
2407 fSdView = arg0;
2408 fSdView.setSDPagingProvider(this);
2409 fSdView.setSDFindProvider(this);
2410 createFrame();
2411 }
32897d73 2412
73844f9c
PT
2413 @Override
2414 public boolean isNodeSupported(int nodeType) {
2415 switch (nodeType) {
2416 case ISDGraphNodeSupporter.LIFELINE:
2417 case ISDGraphNodeSupporter.SYNCMESSAGE:
2418 return true;
32897d73 2419
73844f9c
PT
2420 default:
2421 break;
2422 }
2423 return false;
2424 }
2425
2426 @Override
2427 public String getNodeName(int nodeType, String loaderClassName) {
2428 switch (nodeType) {
2429 case ISDGraphNodeSupporter.LIFELINE:
2430 return "Lifeline";
2431 case ISDGraphNodeSupporter.SYNCMESSAGE:
2432 return "Sync Message";
2433 }
2434 return "";
2435 }
32897d73 2436
73844f9c
PT
2437 @Override
2438 public boolean find(Criteria criteria) {
2439 Frame frame = fSdView.getFrame();
2440 if (criteria.isLifeLineSelected()) {
2441 for (int i = 0; i < frame.lifeLinesCount(); i++) {
2442 if (criteria.matches(frame.getLifeline(i).getName())) {
2443 fSdView.getSDWidget().moveTo(frame.getLifeline(i));
2444 return true;
2445 }
2446 }
2447 }
2448 if (criteria.isSyncMessageSelected()) {
2449 for (int i = 0; i < frame.syncMessageCount(); i++) {
2450 if (criteria.matches(frame.getSyncMessage(i).getName())) {
2451 fSdView.getSDWidget().moveTo(frame.getSyncMessage(i));
2452 return true;
2453 }
2454 }
2455 }
2456 return false;
2457 }
32897d73 2458
73844f9c
PT
2459 @Override
2460 public void cancel() {
2461 // reset find parameters
2462 }
2463 //...
2464}
2465</pre>
32897d73 2466
73844f9c
PT
2467When running the example application, the find action will be shown in the coolbar and the coolbar menu. <br>
2468[[Image:images/FindProviderAdded.png]]
32897d73 2469
73844f9c
PT
2470To find a sequence diagram node press on the find button of the coolbar (see above). A new dialog box will open. Enter a regular expression in the ''Matching String'' text box, select the node types (e.g. Sync Message) and press '''Find'''. If found the corresponding node will be selected. If not found the dialog box will indicate not found. <br>
2471[[Image:images/FindDialog.png]]<br>
32897d73 2472
73844f9c 2473Note that the find dialog will be opened by typing the key shortcut CRTL+F.
32897d73 2474
73844f9c 2475==== Using the Filter Provider Interface ====
32897d73 2476
73844f9c
PT
2477For filtering of sequence diagram elements two interfaces exists. One basic for filtering and one for extended filtering. The basic filtering comes with two dialog for entering filter criteria as regular expressions and one for selecting the filter to be used. Multiple filters can be active at a time. Filter criteria are persisted in the Eclipse workspace.
2478<br>
2479To use the basic filter provider, first the interface method of the ''ISDFilterProvider'' has to be implemented by a class. Typically, this is implemented in the loader class. Add the ''ISDFilterProvider'' to the list of implemented interfaces, implement the method ''filter()''and set the provider in the ''setViewer()'' method as well as remove the provider in the ''dispose()'' method of the loader class. Please note that the ''ISDFindProvider'' extends the interface ''ISDGraphNodeSupporter'' which methods (''isNodeSupported()'' and ''getNodeName()'') have to be implemented, too. <br>
2480Note that no example implementation of ''filter()'' is provided.
2481<br>
32897d73 2482
73844f9c
PT
2483<pre>
2484public class SampleLoader implements IUml2SDLoader, ISDPagingProvider, ISDFindProvider, ISDFilterProvider {
32897d73 2485
73844f9c
PT
2486 //...
2487 @Override
2488 public void dispose() {
2489 if (fSdView != null) {
2490 fSdView.resetProviders();
2491 }
2492 }
32897d73 2493
73844f9c
PT
2494 @Override
2495 public void setViewer(SDView arg0) {
2496 fSdView = arg0;
2497 fSdView.setSDPagingProvider(this);
2498 fSdView.setSDFindProvider(this);
2499 fSdView.setSDFilterProvider(this);
2500 createFrame();
2501 }
32897d73 2502
73844f9c
PT
2503 @Override
2504 public boolean filter(List<?> list) {
2505 return false;
2506 }
2507 //...
2508}
2509</pre>
32897d73 2510
73844f9c
PT
2511When running the example application, the filter action will be shown in the coolbar menu. <br>
2512[[Image:images/HidePatternsMenuItem.png]]
32897d73 2513
73844f9c
PT
2514To filter select the '''Hide Patterns...''' of the coolbar menu. A new dialog box will open. <br>
2515[[Image:images/DialogHidePatterns.png]]
32897d73 2516
73844f9c
PT
2517To Add a new filter press '''Add...'''. A new dialog box will open. Enter a regular expression in the ''Matching String'' text box, select the node types (e.g. Sync Message) and press '''Create''''. <br>
2518[[Image:images/DialogHidePatterns.png]] <br>
32897d73 2519
73844f9c 2520Now back at the Hide Pattern dialog. Select one or more filter and select '''OK'''.
32897d73 2521
73844f9c 2522To use the extended filter provider, the interface ''ISDExtendedFilterProvider'' has to be implemented. It will provide a ''org.eclipse.jface.action.Action'' class containing the actual filter handling and filter algorithm.
32897d73 2523
73844f9c 2524==== Using the Extended Action Bar Provider Interface ====
32897d73 2525
73844f9c
PT
2526The extended action bar provider can be used to add customized actions to the Sequence Diagram View.
2527To use the extended action bar provider, first the interface method of the interface ''ISDExtendedActionBarProvider'' has to be implemented by a class. Typically, this is implemented in the loader class. Add the ''ISDExtendedActionBarProvider'' to the list of implemented interfaces, implement the method ''supplementCoolbarContent()'' and set the provider in the ''setViewer()'' method as well as remove the provider in the ''dispose()'' method of the loader class. <br>
32897d73 2528
73844f9c
PT
2529<pre>
2530public class SampleLoader implements IUml2SDLoader, ISDPagingProvider, ISDFindProvider, ISDFilterProvider, ISDExtendedActionBarProvider {
2531 //...
2532
2533 @Override
2534 public void dispose() {
2535 if (fSdView != null) {
2536 fSdView.resetProviders();
2537 }
2538 }
32897d73 2539
73844f9c
PT
2540 @Override
2541 public void setViewer(SDView arg0) {
2542 fSdView = arg0;
2543 fSdView.setSDPagingProvider(this);
2544 fSdView.setSDFindProvider(this);
2545 fSdView.setSDFilterProvider(this);
2546 fSdView.setSDExtendedActionBarProvider(this);
2547 createFrame();
2548 }
32897d73 2549
73844f9c
PT
2550 @Override
2551 public void supplementCoolbarContent(IActionBars iactionbars) {
2552 Action action = new Action("Refresh") {
2553 @Override
2554 public void run() {
2555 System.out.println("Refreshing...");
2556 }
2557 };
2558 iactionbars.getMenuManager().add(action);
2559 iactionbars.getToolBarManager().add(action);
2560 }
2561 //...
2562}
2563</pre>
32897d73 2564
73844f9c
PT
2565When running the example application, all new actions will be added to the coolbar and coolbar menu according to the implementation of ''supplementCoolbarContent()''<br>.
2566For the example above the coolbar and coolbar menu will look as follows.
32897d73 2567
73844f9c 2568[[Image:images/SupplCoolbar.png]]
32897d73 2569
73844f9c 2570==== Using the Properties Provider Interface====
32897d73 2571
73844f9c 2572This interface can be used to provide property information. A property provider which returns an ''IPropertyPageSheet'' (see ''org.eclipse.ui.views'') has to be implemented and set in the Sequence Diagram View. <br>
32897d73 2573
73844f9c 2574To use the property provider, first the interface method of the ''ISDPropertiesProvider'' has to be implemented by a class. Typically, this is implemented in the loader class. Add the ''ISDPropertiesProvider'' to the list of implemented interfaces, implement the method ''getPropertySheetEntry()'' and set the provider in the ''setViewer()'' method as well as remove the provider in the ''dispose()'' method of the loader class. Please note that no example is provided here.
32897d73 2575
73844f9c
PT
2576Please refer to the following Eclipse articles for more information about properties and tabed properties.
2577*[http://www.eclipse.org/articles/Article-Properties-View/properties-view.html | Take control of your properties]
2578*[http://www.eclipse.org/articles/Article-Tabbed-Properties/tabbed_properties_view.html | The Eclipse Tabbed Properties View]
32897d73 2579
73844f9c 2580==== Using the Collapse Provider Interface ====
32897d73 2581
73844f9c 2582This interface can be used to define a provider which responsibility is to collapse two selected lifelines. This can be used to hide a pair of lifelines.
32897d73 2583
73844f9c 2584To use the collapse provider, first the interface method of the ''ISDCollapseProvider'' has to be implemented by a class. Typically, this is implemented in the loader class. Add the ISDCollapseProvider to the list of implemented interfaces, implement the method ''collapseTwoLifelines()'' and set the provider in the ''setViewer()'' method as well as remove the provider in the ''dispose()'' method of the loader class. Please note that no example is provided here.
32897d73 2585
73844f9c 2586==== Using the Selection Provider Service ====
32897d73 2587
73844f9c 2588The Sequence Diagram View comes with a build in selection provider service. To this service listeners can be added. To use the selection provider service, the interface ''ISelectionListener'' of plug-in ''org.eclipse.ui'' has to implemented. Typically this is implemented in loader class. Firstly, add the ''ISelectionListener'' interface to the list of implemented interfaces, implement the method ''selectionChanged()'' and set the listener in method ''setViewer()'' as well as remove the listener in the ''dispose()'' method of the loader class.
32897d73 2589
73844f9c
PT
2590<pre>
2591public class SampleLoader implements IUml2SDLoader, ISDPagingProvider, ISDFindProvider, ISDFilterProvider, ISDExtendedActionBarProvider, ISelectionListener {
32897d73 2592
73844f9c
PT
2593 //...
2594 @Override
2595 public void dispose() {
2596 if (fSdView != null) {
2597 PlatformUI.getWorkbench().getActiveWorkbenchWindow().getSelectionService().removePostSelectionListener(this);
2598 fSdView.resetProviders();
2599 }
2600 }
32897d73 2601
73844f9c
PT
2602 @Override
2603 public String getTitleString() {
2604 return "Sample Diagram";
2605 }
32897d73 2606
73844f9c
PT
2607 @Override
2608 public void setViewer(SDView arg0) {
2609 fSdView = arg0;
2610 PlatformUI.getWorkbench().getActiveWorkbenchWindow().getSelectionService().addPostSelectionListener(this);
2611 fSdView.setSDPagingProvider(this);
2612 fSdView.setSDFindProvider(this);
2613 fSdView.setSDFilterProvider(this);
2614 fSdView.setSDExtendedActionBarProvider(this);
32897d73 2615
73844f9c
PT
2616 createFrame();
2617 }
32897d73 2618
73844f9c
PT
2619 @Override
2620 public void selectionChanged(IWorkbenchPart part, ISelection selection) {
2621 ISelection sel = PlatformUI.getWorkbench().getActiveWorkbenchWindow().getSelectionService().getSelection();
2622 if (sel != null && (sel instanceof StructuredSelection)) {
2623 StructuredSelection stSel = (StructuredSelection) sel;
2624 if (stSel.getFirstElement() instanceof BaseMessage) {
2625 BaseMessage syncMsg = ((BaseMessage) stSel.getFirstElement());
2626 System.out.println("Message '" + syncMsg.getName() + "' selected.");
2627 }
2628 }
2629 }
2630
2631 //...
2632}
2633</pre>
32897d73 2634
73844f9c 2635=== Printing a Sequence Diagram ===
32897d73 2636
73844f9c 2637To print a the whole sequence diagram or only parts of it, select the Sequence Diagram View and select '''File -> Print...''' or type the key combination ''CTRL+P''. A new print dialog will open. <br>
32897d73 2638
73844f9c 2639[[Image:images/PrintDialog.png]] <br>
32897d73 2640
73844f9c 2641Fill in all the relevant information, select '''Printer...''' to choose the printer and the press '''OK'''.
32897d73 2642
73844f9c 2643=== Using one Sequence Diagram View with Multiple Loaders ===
32897d73 2644
73844f9c 2645A Sequence Diagram View definition can be used with multiple sequence diagram loaders. However, the active loader to be used when opening the view has to be set. For this define an Eclipse action or command and assign the current loader to the view. Here is a code snippet for that:
32897d73 2646
73844f9c
PT
2647<pre>
2648public class OpenSDView extends AbstractHandler {
2649 @Override
2650 public Object execute(ExecutionEvent event) throws ExecutionException {
2651 try {
2652 IWorkbenchPage persp = TmfUiPlugin.getDefault().getWorkbench().getActiveWorkbenchWindow().getActivePage();
2653 SDView view = (SDView) persp.showView("org.eclipse.linuxtools.ust.examples.ui.componentinteraction");
2654 LoadersManager.getLoadersManager().createLoader("org.eclipse.linuxtools.tmf.ui.views.uml2sd.impl.TmfUml2SDSyncLoader", view);
2655 } catch (PartInitException e) {
2656 throw new ExecutionException("PartInitException caught: ", e);
2657 }
2658 return null;
2659 }
2660}
2661</pre>
32897d73 2662
73844f9c 2663=== Downloading the Tutorial ===
32897d73 2664
73844f9c 2665Use the following link to download the source code of the tutorial [http://wiki.eclipse.org/images/e/e6/SamplePlugin.zip Plug-in of Tutorial].
32897d73 2666
73844f9c 2667== Integration of Tracing and Monitoring Framework with Sequence Diagram Framework ==
32897d73 2668
73844f9c 2669In the previous sections the Sequence Diagram Framework has been described and a tutorial was provided. In the following sections the integration of the Sequence Diagram Framework with other features of TMF will be described. Together it is a powerful framework to analyze and visualize content of traces. The integration is explained using the reference implementation of a UML2 sequence diagram loader which part of the TMF UI delivery. The reference implementation can be used as is, can be sub-classed or simply be an example for other sequence diagram loaders to be implemented.
32897d73 2670
73844f9c 2671=== Reference Implementation ===
32897d73 2672
73844f9c 2673A Sequence Diagram View Extension is defined in the plug-in TMF UI as well as a uml2SDLoader Extension with the reference loader.
32897d73 2674
73844f9c 2675[[Image:images/ReferenceExtensions.png]]
32897d73 2676
73844f9c 2677=== Used Sequence Diagram Features ===
32897d73 2678
73844f9c
PT
2679Besides the default features of the Sequence Diagram Framework, the reference implementation uses the following additional features:
2680*Advanced paging
2681*Basic finding
2682*Basic filtering
2683*Selection Service
32897d73 2684
73844f9c 2685==== Advanced paging ====
32897d73 2686
73844f9c 2687The reference loader implements the interface ''ISDAdvancedPagingProvider'' interface. Please refer to section [[#Using the Paging Provider Interface | Using the Paging Provider Interface]] for more details about the advanced paging feature.
32897d73 2688
73844f9c 2689==== Basic finding ====
32897d73 2690
73844f9c 2691The reference loader implements the interface ''ISDFindProvider'' interface. The user can search for ''Lifelines'' and ''Interactions''. The find is done across pages. If the expression to match is not on the current page a new thread is started to search on other pages. If expression is found the corresponding page is shown as well as the searched item is displayed. If not found then a message is displayed in the ''Progress View'' of Eclipse. Please refer to section [[#Using the Find Provider Interface | Using the Find Provider Interface]] for more details about the basic find feature.
32897d73 2692
73844f9c 2693==== Basic filtering ====
32897d73 2694
73844f9c 2695The reference loader implements the interface ''ISDFilterProvider'' interface. The user can filter on ''Lifelines'' and ''Interactions''. Please refer to section [[#Using the Filter Provider Interface | Using the Filter Provider Interface]] for more details about the basic filter feature.
32897d73 2696
73844f9c 2697==== Selection Service ====
32897d73 2698
73844f9c 2699The reference loader implements the interface ''ISelectionListener'' interface. When an interaction is selected a ''TmfTimeSynchSignal'' is broadcast (see [[#TMF Signal Framework | TMF Signal Framework]]). Please also refer to section [[#Using the Selection Provider Service | Using the Selection Provider Service]] for more details about the selection service and .
32897d73 2700
73844f9c 2701=== Used TMF Features ===
32897d73 2702
73844f9c
PT
2703The reference implementation uses the following features of TMF:
2704*TMF Experiment and Trace for accessing traces
2705*Event Request Framework to request TMF events from the experiment and respective traces
2706*Signal Framework for broadcasting and receiving TMF signals for synchronization purposes
32897d73 2707
73844f9c 2708==== TMF Experiment and Trace for accessing traces ====
32897d73 2709
73844f9c 2710The reference loader uses TMF Experiments to access traces and to request data from the traces.
32897d73 2711
73844f9c 2712==== TMF Event Request Framework ====
32897d73 2713
73844f9c 2714The reference loader use the TMF Event Request Framework to request events from the experiment and its traces.
32897d73 2715
73844f9c 2716When opening a traces (which is triggered by signal ''TmfExperimentSelected'') or when opening the Sequence Diagram View after a trace had been opened previously, a TMF background request is initiated to index the trace and to fill in the first page of the sequence diagram. The purpose of the indexing is to store time ranges for pages with 10000 messages per page. This allows quickly to move to certain pages in a trace without having to re-parse from the beginning. The request is called indexing request.
32897d73 2717
73844f9c 2718When switching pages, the a TMF foreground event request is initiated to retrieve the corresponding events from the experiment. It uses the time range stored in the index for the respective page.
32897d73 2719
73844f9c 2720A third type of event request is issued for finding specific data across pages.
32897d73 2721
73844f9c 2722==== TMF Signal Framework ====
32897d73 2723
73844f9c
PT
2724The reference loader extends the class ''TmfComponent''. By doing that the loader is register as TMF signal handler for sending and receiving TMF signals. The loader implements signal handlers for the following TMF signals:
2725*''TmfTraceSelectedSignal''
2726This signal indicates that a trace or experiment was selected. When receiving this signal the indexing request is initiated and the first page is displayed after receiving the relevant information.
2727*''traceClosed''
2728This signal indicates that a trace or experiment was closed. When receiving this signal the loader resets its data and a blank page is loaded in the Sequence Diagram View.
2729*''TmfTimeSynchSignal''
2730This signal indicates that a event with a certain timestamp is selected. When receiving this signal the corresponding message is selected in the Sequence Diagram View. If necessary, the page is changed.
2731*''TmfRangeSynchSignal''
2732This signal indicates that a new time range is in focus. When receiving this signal the loader loads the page which corresponds to the start time of the time range signal. The message with the start time will be in focus.
32897d73 2733
73844f9c 2734Besides acting on receiving signals, the reference loader is also sending signals. A ''TmfTimeSynchSignal'' is broadcasted with the timestamp of the message which was selected in the Sequence Diagram View. ''TmfRangeSynchSignal'' is sent when a page is changed in the Sequence Diagram View. The start timestamp of the time range sent is the timestamp of the first message. The end timestamp sent is the timestamp of the first message plus the current time range window. The current time range window is the time window that was indicated in the last received ''TmfRangeSynchSignal''.
32897d73 2735
73844f9c 2736=== Supported Traces ===
32897d73 2737
73844f9c 2738The reference implementation is able to analyze traces from a single component that traces the interaction with other components. For example, a server node could have trace information about its interaction with client nodes. The server node could be traced and then analyzed using TMF and the Sequence Diagram Framework of TMF could used to visualize the interactions with the client nodes.<br>
32897d73 2739
73844f9c 2740Note that combined traces of multiple components, that contain the trace information about the same interactions are not supported in the reference implementation!
32897d73 2741
73844f9c 2742=== Trace Format ===
32897d73 2743
73844f9c 2744The reference implementation in class ''TmfUml2SDSyncLoader'' in package ''org.eclipse.linuxtools.tmf.ui.views.uml2sd.impl'' analyzes events from type ''ITmfEvent'' and creates events type ''ITmfSyncSequenceDiagramEvent'' if the ''ITmfEvent'' contains all relevant information information. The parsing algorithm looks like as follows:
32897d73 2745
73844f9c
PT
2746<pre>
2747 /**
2748 * @param tmfEvent Event to parse for sequence diagram event details
2749 * @return sequence diagram event if details are available else null
2750 */
2751 protected ITmfSyncSequenceDiagramEvent getSequenceDiagramEvent(ITmfEvent tmfEvent){
2752 //type = .*RECEIVE.* or .*SEND.*
2753 //content = sender:<sender name>:receiver:<receiver name>,signal:<signal name>
2754 String eventType = tmfEvent.getType().toString();
2755 if (eventType.contains(Messages.TmfUml2SDSyncLoader_EventTypeSend) || eventType.contains(Messages.TmfUml2SDSyncLoader_EventTypeReceive)) {
2756 Object sender = tmfEvent.getContent().getField(Messages.TmfUml2SDSyncLoader_FieldSender);
2757 Object receiver = tmfEvent.getContent().getField(Messages.TmfUml2SDSyncLoader_FieldReceiver);
2758 Object name = tmfEvent.getContent().getField(Messages.TmfUml2SDSyncLoader_FieldSignal);
2759 if ((sender instanceof ITmfEventField) && (receiver instanceof ITmfEventField) && (name instanceof ITmfEventField)) {
2760 ITmfSyncSequenceDiagramEvent sdEvent = new TmfSyncSequenceDiagramEvent(tmfEvent,
2761 ((ITmfEventField) sender).getValue().toString(),
2762 ((ITmfEventField) receiver).getValue().toString(),
2763 ((ITmfEventField) name).getValue().toString());
32897d73 2764
73844f9c
PT
2765 return sdEvent;
2766 }
2767 }
2768 return null;
32897d73 2769 }
32897d73
AM
2770</pre>
2771
73844f9c 2772The analysis looks for event type Strings containing ''SEND'' and ''RECEIVE''. If event type matches these key words, the analyzer will look for strings ''sender'', ''receiver'' and ''signal'' in the event fields of type ''ITmfEventField''. If all the data is found a sequence diagram event from can be created. Note that Sync Messages are assumed, which means start and end time are the same.
32897d73 2773
73844f9c 2774=== How to use the Reference Implementation ===
32897d73 2775
73844f9c
PT
2776An example trace visualizer is provided that uses a trace in binary format. It contains trace events with sequence diagram information. To parse the data using TMF a class is provided that implements ''ITmfTrace''. Additionally, a parser is provided that reads from the file and converts a trace event to ''TmfEvent''. This parser implements the interface ''ITmfEventParser''. To get the source code see [[#Downloading the Reference Plug-in | Download the Reference Plug-in]]
2777<br>
2778The plug-in structure will look like this:<br>
2779[[Image:images/ReferencePlugin.png]]<br>
32897d73 2780
73844f9c
PT
2781To open the plug-in manifest, double-click on the MANIFEST.MF file. <br>
2782[[Image:images/SelectManifestRef.png]]<br>
32897d73 2783
73844f9c
PT
2784Run the Reference Application. To launch the Eclipse Application select the ''Overview'' tab and click on '''Launch an Eclipse Application'''<br>
2785[[Image:images/RunApplicationRef.png]]<br>
32897d73 2786
73844f9c
PT
2787To open the Reference Sequence Diagram View, select '''Windows -> Show View -> Other... -> TMF -> Sequence Diagram''' <br>
2788[[Image:images/ShowTmfSDView.png]]<br>
32897d73 2789
73844f9c 2790An blank Sequence Diagram View will open.
32897d73 2791
73844f9c
PT
2792Select the '''Select Experiment''' button of the toolbar to load the sequence diagram from the data provided in the trace file. What this does is open the file ''tracesets/sdEvents'', parse this file through TMF and analyze all events of type ''TmfEvent'' and generates the Sequence Diagram out of it. <br>
2793[[Image:images/ReferenceSeqDiagram.png]]<br>
32897d73 2794
73844f9c
PT
2795Now the reference application can be explored. To demonstrate the view features try the following things:
2796*Select a message in the Sequence diagram. As result the corresponding event will be selected in the Events View.
2797*Select an event in the Events View. As result the corresponding message in the Sequence Diagram View will be selected. If necessary, the page will be changed.
2798*In the Events View, press key ''End''. As result, the Sequence Diagram view will jump to the last page.
2799*In the Events View, press key ''Home''. As result, the Sequence Diagram view will jump to the first page.
2800*In the Sequence Diagram View select the find button. Enter the expression '''REGISTER.*''', select '''Search for Interaction''' and press '''Find'''. As result the corresponding message will be selected in the Sequence Diagram and the corresponding event in the Events View will be selected. Select again '''Find''' the next occurrence of will be selected. Since the second occurrence is on a different page than the first, the corresponding page will be loaded.
2801* In the Sequence Diagram View, select menu item '''Hide Patterns...'''. Add the filter '''BALL.*''' for '''Interaction''' only and select '''OK'''. As result all messages with name ''BALL_REQUEST'' and ''BALL_REPLY'' will be hidden. To remove the filter, select menu item '''Hide Patterns...''', deselect the corresponding filter and press '''OK'''. All the messages will be shown again.<br>
2802
2803To dispose the diagram, select the '''Dispose Experiment''' button of the toolbar. The current sequence diagram will be disposed and an empty diagram will be loaded.
32897d73 2804
73844f9c 2805=== Extending the Reference Loader ===
32897d73 2806
73844f9c 2807In some case it might be necessary to change the implementation of the analysis of each ''TmfEvent'' for the generation of ''Sequence Diagram Events''. For that just extend the class ''TmfUml2SDSyncLoader'' and overwrite the method ''protected ITmfSyncSequenceDiagramEvent getSequnceDiagramEvent(TmfEvent tmfEvent)'' with your own implementation.
32897d73 2808
73844f9c
PT
2809=== Downloading the Reference Plug-in ===
2810To download the reference plug-in that demonstrates the reference loader, use the following link: [http://wiki.eclipse.org/images/d/d3/ReferencePlugin.zip Reference Plug-in]. Just extract the zip file and import the extracted Eclipse plug-in (plug-in name: ''org.eclipse.linuxtools.tmf.reference.ui'') to your Eclipse workspace. <br>
32897d73 2811
73844f9c 2812= CTF Parser =
32897d73 2813
73844f9c
PT
2814== CTF Format ==
2815CTF is a format used to store traces. It is self defining, binary and made to be easy to write to.
2816Before going further, the full specification of the CTF file format can be found at http://www.efficios.com/ .
32897d73 2817
73844f9c 2818For the purpose of the reader some basic description will be given. A CTF trace typically is made of several files all in the same folder.
32897d73 2819
73844f9c
PT
2820These files can be split into two types :
2821* Metadata
2822* Event streams
32897d73 2823
73844f9c
PT
2824=== Metadata ===
2825The metadata is either raw text or packetized text. It is tsdl encoded. it contains a description of the type of data in the event streams. It can grow over time if new events are added to a trace but it will never overwrite what is already there.
32897d73 2826
73844f9c
PT
2827=== Event Streams ===
2828The event streams are a file per stream per cpu. These streams are binary and packet based. The streams store events and event information (ie lost events) The event data is stored in headers and field payloads.
32897d73 2829
73844f9c 2830So if you have two streams (channels) "channel1" and "channel2" and 4 cores, you will have the following files in your trace directory: "channel1_0" , "channel1_1" , "channel1_2" , "channel1_3" , "channel2_0" , "channel2_1" , "channel2_2" & "channel2_3"
32897d73 2831
73844f9c
PT
2832== Reading a trace ==
2833In order to read a CTF trace, two steps must be done.
2834* The metadata must be read to know how to read the events.
2835* the events must be read.
32897d73 2836
73844f9c 2837The metadata is a written in a subset of the C language called TSDL. To read it, first it is depacketized (if it is not in plain text) then the raw text is parsed by an antlr grammer. The parsing is done in two phases. There is a lexer (CTFLexer.g) which separated the metatdata text into tokens. The tokens are then pattern matched using the parser (CTFParser.g) to form an AST. This AST is walked through using "IOStructGen.java" to populate streams and traces in trace parent object.
32897d73 2838
73844f9c
PT
2839When the metadata is loaded and read, the trace object will be populated with 3 items:
2840* the event definitions available per stream: a definition is a description of the datatype.
2841* the event declarations available per stream: this will save declaration creation on a per event basis. They will all be created in advance, just not populated.
2842* the beginning of a packet index.
32897d73 2843
73844f9c 2844Now all the trace readers for the event streams have everything they need to read a trace. They will each point to one file, and read the file from packet to packet. Everytime the trace reader changes packet, the index is updated with the new packet's information. The readers are in a priority queue and sorted by timestamp. This ensures that the events are read in a sequential order. They are also sorted by file name so that in the eventuality that two events occur at the same time, they stay in the same order.
32897d73 2845
73844f9c
PT
2846== Seeking in a trace ==
2847The reason for maintaining an index is to speed up seeks. In the case that a user wishes to seek to a certain timestamp, they just have to find the index entry that contains the timestamp, and go there to iterate in that packet until the proper event is found. this will reduce the searches time by an order of 8000 for a 256k paket size (kernel default).
32897d73 2848
73844f9c
PT
2849== Interfacing to TMF ==
2850The trace can be read easily now but the data is still awkward to extract.
32897d73 2851
73844f9c
PT
2852=== CtfLocation ===
2853A location in a given trace, it is currently the timestamp of a trace and the index of the event. The index shows for a given timestamp if it is the first second or nth element.
32897d73 2854
73844f9c
PT
2855=== CtfTmfTrace ===
2856The CtfTmfTrace is a wrapper for the standard CTF trace that allows it to perform the following actions:
2857* '''initTrace()''' create a trace
2858* '''validateTrace()''' is the trace a CTF trace?
2859* '''getLocationRatio()''' how far in the trace is my location?
2860* '''seekEvent()''' sets the cursor to a certain point in a trace.
2861* '''readNextEvent()''' reads the next event and then advances the cursor
2862* '''getTraceProperties()''' gets the 'env' structures of the metadata
2863
2864=== CtfIterator ===
2865The CtfIterator is a wrapper to the CTF file reader. It behaves like an iterator on a trace. However, it contains a file pointer and thus cannot be duplicated too often or the system will run out of file handles. To alleviate the situation, a pool of iterators is created at the very beginning and stored in the CtfTmfTrace. They can be retried by calling the GetIterator() method.
2866
2867=== CtfIteratorManager ===
2868Since each CtfIterator will have a file reader, the OS will run out of handles if too many iterators are spawned. The solution is to use the iterator manager. This will allow the user to get an iterator. If there is a context at the requested position, the manager will return that one, if not, a context will be selected at random and set to the correct location. Using random replacement minimizes contention as it will settle quickly at a new balance point.
2869
2870=== CtfTmfContext ===
2871The CtfTmfContext implements the ITmfContext type. It is the CTF equivalent of TmfContext. It has a CtfLocation and points to an iterator in the CtfTmfTrace iterator pool as well as the parent trace. it is made to be cloned easily and not affect system resources much. Contexts behave much like C file pointers (FILE*) but they can be copied until one runs out of RAM.
2872
2873=== CtfTmfTimestamp ===
2874The CtfTmfTimestamp take a CTF time (normally a long int) and outputs the time formats it as a TmfTimestamp, allowing it to be compared to other timestamps. The time is stored with the UTC offset already applied. It also features a simple toString() function that allows it to output the time in more Human readable ways: "yyyy/mm/dd/hh:mm:ss.nnnnnnnnn ns" for example. An additional feature is the getDelta() function that allows two timestamps to be substracted, showing the time difference between A and B.
2875
2876=== CtfTmfEvent ===
2877The CtfTmfEvent is an ITmfEvent that is used to wrap event declarations and event definitions from the CTF side into easier to read and parse chunks of information. It is a final class with final fields made to be newed very often without incurring performance costs. Most of the information is already available. It should be noted that one type of event can appear called "lost event" these are synthetic events that do not exist in the trace. They will not appear in other trace readers such as babeltrace.
2878
2879=== Other ===
2880There are other helper files that format given events for views, they are simpler and the architecture does not depend on them.
2881
2882=== Limitations ===
2883For the moment live trace reading is not supported, there are no sources of traces to test on.
32897d73 2884
This page took 0.183329 seconds and 5 git commands to generate.