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