doc: Bug 495211: Update developer guide for ITmfStateSystem API
[deliverable/tracecompass.git] / doc / org.eclipse.tracecompass.doc.dev / doc / Developer-Guide.mediawiki
1
2 = Table of Contents =
3
4 __TOC__
5
6 = Introduction =
7
8 The purpose of '''Trace Compass''' is to facilitate the integration of tracing
9 and monitoring tools into Eclipse, to provide out-of-the-box generic
10 functionalities/views and provide extension mechanisms of the base
11 functionalities for application specific purposes.
12
13 This guide goes over the internal components of the Trace Compass framework. It
14 should help developers trying to add new capabilities (support for new trace
15 type, new analysis or views, etc.) to the framework. End-users, using the RCP
16 for example, should not have to worry about the concepts explained here.
17
18 = Implementing a New Trace Type =
19
20 The framework can easily be extended to support more trace types. To make a new
21 trace type, one must define the following items:
22
23 * The event type
24 * The trace type
25 * The trace context
26 * The trace location
27 * The ''org.eclipse.linuxtools.tmf.core.tracetype'' plug-in extension point
28 * (Optional) The ''org.eclipse.linuxtools.tmf.ui.tracetypeui'' plug-in extension point
29
30 The '''event type''' must implement an ''ITmfEvent'' or extend a class that
31 implements an ''ITmfEvent''. Typically it will extend ''TmfEvent''. The event
32 type must contain all the data of an event.
33
34 The '''trace type''' must be of an ''ITmfTrace'' type. The ''TmfTrace'' class
35 will supply many background operations so that the reader only needs to
36 implement certain functions. This includes the ''event aspects'' for events of
37 this trace type. See the section below.
38
39 The '''trace context''' can be seen as the internals of an iterator. It is
40 required by the trace reader to parse events as it iterates the trace and to
41 keep track of its rank and location. It can have a timestamp, a rank, a file
42 position, or any other element, it should be considered to be ephemeral.
43
44 The '''trace location''' is an element that is cloned often to store
45 checkpoints, it is generally persistent. It is used to rebuild a context,
46 therefore, it needs to contain enough information to unambiguously point to one
47 and only one event. Finally the ''tracetype'' plug-in extension associates a
48 given trace, non-programmatically to a trace type for use in the UI.
49
50 == Event Aspects ==
51
52 In Trace Compass, an ''event aspect'' represents any type of information that
53 can be extracted from a trace event. The simple case is information that is
54 present directly in the event. For example, the timestamp of an event, a field
55 of an LTTng event, or the "payload" that is on the same line of a text trace
56 entry. But it could also be the result of an indirect operation, for example a
57 state system query at the timestamp of the given event (see the section
58 [[#Generic State System]]).
59
60 All aspects should implement the '''ITmfEventAspect''' interface. The important
61 method in there is ''resolve(ITmfEvent)'', which tells this aspect what to
62 output for a given event. The singleton pattern fits well for pre-defined aspect
63 classes, in general.
64
65 The aspects defined for a trace type determine the initial columns in the Event
66 Table, as well as the elements on which the trace can be filtered, among other
67 things.
68
69 === Base and custom aspects ===
70
71 Some base aspects are defined in '''TmfTrace#BASE_ASPECTS'''. They use generic
72 methods found in '''ITmfEvent''', so they should be applicable for any event
73 type defined in the framework. If one does not override
74 '''TmfTrace#getEventAspects''', then only the base aspects will be used with
75 this trace.
76
77 Overriding the method does not append to this list, it replaces it. So if you
78 wish to define additional aspects for a new trace type, do not forget to include
79 the BASE_ASPECTS you want to use, if any, within the list.
80
81 The order of the elements in the returned ''Iterable'' may matter to other
82 components. For instance, the initial ordering of the columns in the Events
83 Table will match it.
84
85 Defining additional aspects allows to expose more data from the trace events
86 without having to update all the views using the aspects API.
87
88 === Creating event aspects programmatically ===
89
90 Another advantage of event aspects is that they can be created programmatically,
91 without having to modify the base trace or event classes. A new analysis
92 applying to a pre-existing trace type may wish to define additional aspects to
93 make its job easier.
94
95 While the notion of event aspects should not be exposed to users directly, it is
96 possible to create new aspects based on user input. For example, an "event
97 field" dialog could ask the user to enter a field name, which would then create
98 an aspect that would look for the value of a field with this name in every
99 event. The user could then be able to display or filter on this aspect.
100
101 == Optional Trace Type Attributes ==
102
103 After defining the trace type as described in the previous chapters it is
104 possible to define optional attributes for the trace type.
105
106 === Default Editor ===
107
108 The '''defaultEditor''' attribute of the '''org.eclipse.linuxtools.tmf.ui.tracetypeui'''
109 extension point allows for configuring the editor to use for displaying the
110 events. If omitted, the ''TmfEventsEditor'' is used as default.
111
112 To configure an editor, first add the '''defaultEditor''' attribute to the trace
113 type in the extension definition. This can be done by selecting the trace type
114 in the plug-in manifest editor. Then click the right mouse button and select
115 '''New -> defaultEditor''' in the context sensitive menu. Then select the newly
116 added attribute. Now you can specify the editor id to use on the right side of
117 the manifest editor. For example, this attribute could be used to implement an
118 extension of the class ''org.eclipse.ui.part.MultiPageEditor''. The first page
119 could use the ''TmfEventsEditor''' to display the events in a table as usual and
120 other pages can display other aspects of the trace.
121
122 === Events Table Type ===
123
124 The '''eventsTableType''' attribute of the '''org.eclipse.linuxtools.tmf.ui.tracetypeui'''
125 extension point allows for configuring the events table class to use in the
126 default events editor. If omitted, the default events table will be used.
127
128 To configure a trace type specific events table, first add the
129 '''eventsTableType''' attribute to the trace type in the extension definition.
130 This can be done by selecting the trace type in the plug-in manifest editor.
131 Then click the right mouse button and select '''New -> eventsTableType''' in the
132 context sensitive menu. Then select the newly added attribute and click on
133 ''class'' on the right side of the manifest editor. The new class wizard will
134 open. The ''superclass'' field will be already filled with the class ''org.eclipse.tracecompass.tmf.ui.viewers.events.TmfEventsTable''.
135
136 By using this attribute, a table with different columns than the default columns
137 can be defined. See the class
138 ''org.eclipse.tracecompass.internal.gdbtrace.ui.views.events.GdbEventsTable''
139 for an example implementation.
140
141 == Other Considerations ==
142
143 Other views and components may provide additional features that are active only
144 when the event or trace type class implements certain additional interfaces.
145
146 === Collapsing of repetitive events ===
147
148 By implementing the interface
149 ''org.eclipse.tracecompass.tmf.core.event.collapse.ITmfCollapsibleEvent'' the
150 event table will allow to collapse repetitive events by selecting the menu item
151 '''Collapse Events''' after pressing the right mouse button in the table.
152
153 == Best Practices ==
154
155 * Do not load the whole trace in RAM, it will limit the size of the trace that can be read.
156 * Reuse as much code as possible, it makes the trace format much easier to maintain.
157 * Use Eclipse's editor instead of editing the XML directly.
158 * Do not forget Java supports only signed data types, there may be special care needed to handle unsigned data.
159 * If the support for your trace has custom UI elements (like icons, views, etc.), split the core and UI parts in separate plugins, named identically except for a ''.core'' or ''.ui'' suffix.
160 ** Implement the ''tmf.core.tracetype'' extension in the core plugin, and the ''tmf.ui.tracetypeui'' extension in the UI plugin if applicable.
161
162 == An Example: Nexus-lite parser ==
163
164 === Description of the file ===
165
166 This is a very small subset of the nexus trace format, with some changes to make
167 it easier to read. There is one file. This file starts with 64 Strings
168 containing the event names, then an arbitrarily large number of events. The
169 events are each 64 bits long. the first 32 are the timestamp in microseconds,
170 the second 32 are split into 6 bits for the event type, and 26 for the data
171 payload.
172
173 The trace type will be made of two parts, part 1 is the event description, it is
174 just 64 strings, comma separated and then a line feed.
175
176 <pre>
177 Startup,Stop,Load,Add, ... ,reserved\n
178 </pre>
179
180 Then there will be the events in this format
181
182 {| width= "85%"
183 |style="width: 50%; background-color: #ffffcc;"|timestamp (32 bits)
184 |style="width: 10%; background-color: #ffccff;"|type (6 bits)
185 |style="width: 40%; background-color: #ccffcc;"|payload (26 bits)
186 |-
187 |style="background-color: #ffcccc;" colspan="3"|64 bits total
188 |}
189
190 all events will be the same size (64 bits).
191
192 === NexusLite Plug-in ===
193
194 Create a '''New''', '''Project...''', '''Plug-in Project''', set the title to
195 '''com.example.nexuslite''', click '''Next >''' then click on '''Finish'''.
196
197 Now the structure for the Nexus trace Plug-in is set up.
198
199 Add a dependency to TMF core and UI by opening the '''MANIFEST.MF''' in
200 '''META-INF''', selecting the '''Dependencies''' tab and '''Add ...'''
201 '''org.eclipse.tracecompass.tmf.core''' and '''org.eclipse.tracecompass.tmf.ui'''.
202
203 [[Image:images/NTTAddDepend.png]]<br>
204 [[Image:images/NTTSelectProjects.png]]<br>
205
206 Now the project can access TMF classes.
207
208 === Trace Event ===
209
210 The '''TmfEvent''' class will work for this example. No code required.
211
212 === Trace Reader ===
213
214 The trace reader will extend a '''TmfTrace''' class.
215
216 It will need to implement:
217
218 * validate (is the trace format valid?)
219
220 * initTrace (called as the trace is opened
221
222 * seekEvent (go to a position in the trace and create a context)
223
224 * getNext (implemented in the base class)
225
226 * parseEvent (read the next element in the trace)
227
228 For reference, there is an example implementation of the Nexus Trace file in
229 org.eclipse.tracecompass.tracing.examples.core.trace.nexus.NexusTrace.java.
230
231 In this example, the '''validate''' function first checks if the file
232 exists, then makes sure that it is really a file, and not a directory. Then we
233 attempt to read the file header, to make sure that it is really a Nexus Trace.
234 If that check passes, we return a TraceValidationStatus with a confidence of 20.
235
236 Typically, TraceValidationStatus confidences should range from 1 to 100. 1 meaning
237 "there is a very small chance that this trace is of this type", and 100 meaning
238 "it is this type for sure, and cannot be anything else". At run-time, the
239 auto-detection will pick the type which returned the highest confidence. So
240 checks of the type "does the file exist?" should not return a too high
241 confidence. If confidence 0 is returned the auto-detection won't pick this type.
242
243 Here we used a confidence of 20, to leave "room" for more specific trace types
244 in the Nexus format that could be defined in TMF.
245
246 The '''initTrace''' function will read the event names, and find where the data
247 starts. After this, the number of events is known, and since each event is 8
248 bytes long according to the specs, the seek is then trivial.
249
250 The '''seek''' here will just reset the reader to the right location.
251
252 The '''parseEvent''' method needs to parse and return the current event and
253 store the current location.
254
255 The '''getNext''' method (in base class) will read the next event and update the
256 context. It calls the '''parseEvent''' method to read the event and update the
257 location. It does not need to be overridden and in this example it is not. The
258 sequence of actions necessary are parse the next event from the trace, create an
259 '''ITmfEvent''' with that data, update the current location, call
260 '''updateAttributes''', update the context then return the event.
261
262 Traces will typically implement an index, to make seeking faster. The index can
263 be rebuilt every time the trace is opened. Alternatively, it can be saved to
264 disk, to make future openings of the same trace quicker. To do so, the trace
265 object can implement the '''ITmfPersistentlyIndexable''' interface.
266
267 === Trace Context ===
268
269 The trace context will be a '''TmfContext'''
270
271 === Trace Location ===
272
273 The trace location will be a long, representing the rank in the file. The
274 '''TmfLongLocation''' will be the used, once again, no code is required.
275
276 === The ''org.eclipse.linuxtools.tmf.core.tracetype'' and ''org.eclipse.linuxtools.tmf.ui.tracetypeui'' plug-in extension points ===
277
278 One should use the ''tmf.core.tracetype'' extension point in their own plug-in.
279 In this example, the Nexus trace plug-in will be modified.
280
281 The '''plugin.xml''' file in the ui plug-in needs to be updated if one wants
282 users to access the given event type. It can be updated in the Eclipse plug-in
283 editor.
284
285 # In Extensions tab, add the '''org.eclipse.linuxtools.tmf.core.tracetype''' extension point.
286 [[Image:images/NTTExtension.png]]<br>
287 [[Image:images/NTTTraceType.png]]<br>
288 [[Image:images/NTTExtensionPoint.png]]<br>
289
290 # 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'''.
291
292 [[Image:images/NTTAddType.png]]<br>
293
294 The '''id''' is the unique identifier used to refer to the trace.
295
296 The '''name''' is the field that shall be displayed when a trace type is selected.
297
298 The '''trace type''' is the canonical path refering to the class of the trace.
299
300 The '''event type''' is the canonical path refering to the class of the events of a given trace.
301
302 The '''category''' (optional) is the container in which this trace type will be stored.
303
304 # (Optional) To also add UI-specific properties to your trace type, use the '''org.eclipse.linuxtools.tmf.ui.tracetypeui''' extension. To do that, '''right click''' on the extension then in the context menu, go to '''New >''', '''type'''.
305
306 The '''tracetype''' here is the '''id''' of the
307 ''org.eclipse.linuxtools.tmf.core.tracetype'' mentioned above.
308
309 The '''icon''' is the image to associate with that trace type.
310
311 In the end, the extension menu should look like this.
312
313 [[Image:images/NTTPluginxmlComplete.png]]<br>
314
315 = View Tutorial =
316
317 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.
318
319 This tutorial will cover concepts like:
320
321 * Extending TmfView
322 * Signal handling (@TmfSignalHandler)
323 * Data requests (TmfEventRequest)
324 * SWTChart integration
325
326 '''Note''': Trace Compass 0.1.0 provides base implementations for generating SWTChart viewers and views. For more details please refer to chapter [[#TMF Built-in Views and Viewers]].
327
328 === Prerequisites ===
329
330 The tutorial is based on Eclipse 4.4 (Eclipse Luna), Trace Compass 0.1.0 and SWTChart 0.7.0. If you are using TMF from the source repository, SWTChart is already included in the target definition file (see org.eclipse.tracecompass.target). You can also install it manually by using the Orbit update site. http://download.eclipse.org/tools/orbit/downloads/
331
332 === Creating an Eclipse UI Plug-in ===
333
334 To create a new project with name org.eclipse.tracecompass.tmf.sample.ui select '''File -> New -> Project -> Plug-in Development -> Plug-in Project'''. <br>
335 [[Image:images/Screenshot-NewPlug-inProject1.png]]<br>
336
337 [[Image:images/Screenshot-NewPlug-inProject2.png]]<br>
338
339 [[Image:images/Screenshot-NewPlug-inProject3.png]]<br>
340
341 === Creating a View ===
342
343 To open the plug-in manifest, double-click on the MANIFEST.MF file. <br>
344 [[Image:images/SelectManifest.png]]<br>
345
346 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.tracecompass.tmf.core'' and press '''OK'''<br>
347 Following the same steps, add ''org.eclipse.tracecompass.tmf.ui'' and ''org.swtchart''.<br>
348 [[Image:images/AddDependencyTmfUi.png]]<br>
349
350 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>
351 [[Image:images/AddViewExtension1.png]]<br>
352
353 To create a view, click the right mouse button. Then select '''New -> view'''<br>
354 [[Image:images/AddViewExtension2.png]]<br>
355
356 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>
357 [[Image:images/FillSampleViewExtension.png]]<br>
358
359 This will generate an empty class. Once the quick fixes are applied, the following code is obtained:
360
361 <pre>
362 package org.eclipse.tracecompass.tmf.sample.ui;
363
364 import org.eclipse.swt.widgets.Composite;
365 import org.eclipse.ui.part.ViewPart;
366
367 public class SampleView extends TmfView {
368
369 public SampleView(String viewName) {
370 super(viewName);
371 // TODO Auto-generated constructor stub
372 }
373
374 @Override
375 public void createPartControl(Composite parent) {
376 // TODO Auto-generated method stub
377
378 }
379
380 @Override
381 public void setFocus() {
382 // TODO Auto-generated method stub
383
384 }
385
386 }
387 </pre>
388
389 This creates an empty view, however the basic structure is now is place.
390
391 === Implementing a view ===
392
393 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.
394
395 ==== Adding an Empty Chart ====
396
397 First, we can add an empty chart to the view and initialize some of its components.
398
399 <pre>
400 private static final String SERIES_NAME = "Series";
401 private static final String Y_AXIS_TITLE = "Signal";
402 private static final String X_AXIS_TITLE = "Time";
403 private static final String FIELD = "value"; // The name of the field that we want to display on the Y axis
404 private static final String VIEW_ID = "org.eclipse.tracecompass.tmf.sample.ui.view";
405 private Chart chart;
406 private ITmfTrace currentTrace;
407
408 public SampleView() {
409 super(VIEW_ID);
410 }
411
412 @Override
413 public void createPartControl(Composite parent) {
414 chart = new Chart(parent, SWT.BORDER);
415 chart.getTitle().setVisible(false);
416 chart.getAxisSet().getXAxis(0).getTitle().setText(X_AXIS_TITLE);
417 chart.getAxisSet().getYAxis(0).getTitle().setText(Y_AXIS_TITLE);
418 chart.getSeriesSet().createSeries(SeriesType.LINE, SERIES_NAME);
419 chart.getLegend().setVisible(false);
420 }
421
422 @Override
423 public void setFocus() {
424 chart.setFocus();
425 }
426 </pre>
427
428 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>
429 [[Image:images/RunEclipseApplication.png]]<br>
430
431 A new Eclipse application window will show. In the new window go to '''Windows -> Show View -> Other... -> Other -> Sample View'''.<br>
432 [[Image:images/ShowViewOther.png]]<br>
433
434 You should now see a view containing an empty chart<br>
435 [[Image:images/EmptySampleView.png]]<br>
436
437 ==== Signal Handling ====
438
439 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.
440
441 <pre>
442 @TmfSignalHandler
443 public void traceSelected(final TmfTraceSelectedSignal signal) {
444
445 }
446 </pre>
447
448 ==== Requesting Data ====
449
450 Then we need to actually gather data from the trace. This is done asynchronously using a ''TmfEventRequest''
451
452 <pre>
453 @TmfSignalHandler
454 public void traceSelected(final TmfTraceSelectedSignal signal) {
455 // Don't populate the view again if we're already showing this trace
456 if (currentTrace == signal.getTrace()) {
457 return;
458 }
459 currentTrace = signal.getTrace();
460
461 // Create the request to get data from the trace
462
463 TmfEventRequest req = new TmfEventRequest(TmfEvent.class,
464 TmfTimeRange.ETERNITY, 0, ITmfEventRequest.ALL_DATA,
465 ITmfEventRequest.ExecutionType.BACKGROUND) {
466
467 @Override
468 public void handleData(ITmfEvent data) {
469 // Called for each event
470 super.handleData(data);
471 }
472
473 @Override
474 public void handleSuccess() {
475 // Request successful, not more data available
476 super.handleSuccess();
477 }
478
479 @Override
480 public void handleFailure() {
481 // Request failed, not more data available
482 super.handleFailure();
483 }
484 };
485 ITmfTrace trace = signal.getTrace();
486 trace.sendRequest(req);
487 }
488 </pre>
489
490 ==== Transferring Data to the Chart ====
491
492 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.
493
494 <pre>
495 TmfEventRequest req = new TmfEventRequest(TmfEvent.class,
496 TmfTimeRange.ETERNITY, 0, ITmfEventRequest.ALL_DATA,
497 ITmfEventRequest.ExecutionType.BACKGROUND) {
498
499 ArrayList<Double> xValues = new ArrayList<Double>();
500 ArrayList<Double> yValues = new ArrayList<Double>();
501
502 @Override
503 public void handleData(ITmfEvent data) {
504 // Called for each event
505 super.handleData(data);
506 ITmfEventField field = data.getContent().getField(FIELD);
507 if (field != null) {
508 yValues.add((Double) field.getValue());
509 xValues.add((double) data.getTimestamp().getValue());
510 }
511 }
512
513 @Override
514 public void handleSuccess() {
515 // Request successful, not more data available
516 super.handleSuccess();
517
518 final double x[] = toArray(xValues);
519 final double y[] = toArray(yValues);
520
521 // This part needs to run on the UI thread since it updates the chart SWT control
522 Display.getDefault().asyncExec(new Runnable() {
523
524 @Override
525 public void run() {
526 chart.getSeriesSet().getSeries()[0].setXSeries(x);
527 chart.getSeriesSet().getSeries()[0].setYSeries(y);
528
529 chart.redraw();
530 }
531
532 });
533 }
534
535 /**
536 * Convert List<Double> to double[]
537 */
538 private double[] toArray(List<Double> list) {
539 double[] d = new double[list.size()];
540 for (int i = 0; i < list.size(); ++i) {
541 d[i] = list.get(i);
542 }
543
544 return d;
545 }
546 };
547 </pre>
548
549 ==== Adjusting the Range ====
550
551 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.
552
553 <pre>
554
555 ArrayList<Double> xValues = new ArrayList<Double>();
556 ArrayList<Double> yValues = new ArrayList<Double>();
557 private double maxY = -Double.MAX_VALUE;
558 private double minY = Double.MAX_VALUE;
559 private double maxX = -Double.MAX_VALUE;
560 private double minX = Double.MAX_VALUE;
561
562 @Override
563 public void handleData(ITmfEvent data) {
564 super.handleData(data);
565 ITmfEventField field = data.getContent().getField(FIELD);
566 if (field != null) {
567 Double yValue = (Double) field.getValue();
568 minY = Math.min(minY, yValue);
569 maxY = Math.max(maxY, yValue);
570 yValues.add(yValue);
571
572 double xValue = (double) data.getTimestamp().getValue();
573 xValues.add(xValue);
574 minX = Math.min(minX, xValue);
575 maxX = Math.max(maxX, xValue);
576 }
577 }
578
579 @Override
580 public void handleSuccess() {
581 super.handleSuccess();
582 final double x[] = toArray(xValues);
583 final double y[] = toArray(yValues);
584
585 // This part needs to run on the UI thread since it updates the chart SWT control
586 Display.getDefault().asyncExec(new Runnable() {
587
588 @Override
589 public void run() {
590 chart.getSeriesSet().getSeries()[0].setXSeries(x);
591 chart.getSeriesSet().getSeries()[0].setYSeries(y);
592
593 // Set the new range
594 if (!xValues.isEmpty() && !yValues.isEmpty()) {
595 chart.getAxisSet().getXAxis(0).setRange(new Range(0, x[x.length - 1]));
596 chart.getAxisSet().getYAxis(0).setRange(new Range(minY, maxY));
597 } else {
598 chart.getAxisSet().getXAxis(0).setRange(new Range(0, 1));
599 chart.getAxisSet().getYAxis(0).setRange(new Range(0, 1));
600 }
601 chart.getAxisSet().adjustRange();
602
603 chart.redraw();
604 }
605 });
606 }
607 </pre>
608
609 ==== Formatting the Time Stamps ====
610
611 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.
612
613 <pre>
614 @Override
615 public void createPartControl(Composite parent) {
616 ...
617
618 chart.getAxisSet().getXAxis(0).getTick().setFormat(new TmfChartTimeStampFormat());
619 }
620
621 public class TmfChartTimeStampFormat extends SimpleDateFormat {
622 private static final long serialVersionUID = 1L;
623 @Override
624 public StringBuffer format(Date date, StringBuffer toAppendTo, FieldPosition fieldPosition) {
625 long time = date.getTime();
626 toAppendTo.append(TmfTimestampFormat.getDefaulTimeFormat().format(time));
627 return toAppendTo;
628 }
629 }
630
631 @TmfSignalHandler
632 public void timestampFormatUpdated(TmfTimestampFormatUpdateSignal signal) {
633 // Called when the time stamp preference is changed
634 chart.getAxisSet().getXAxis(0).getTick().setFormat(new TmfChartTimeStampFormat());
635 chart.redraw();
636 }
637 </pre>
638
639 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.
640
641 <pre>
642 @Override
643 public void createPartControl(Composite parent) {
644 ...
645
646 ITmfTrace trace = getActiveTrace();
647 if (trace != null) {
648 traceSelected(new TmfTraceSelectedSignal(this, trace));
649 }
650 }
651 </pre>
652
653 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>
654
655 [[Image:images/SampleView.png]]<br>
656
657 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.
658
659 == TMF Built-in Views and Viewers ==
660
661 TMF provides base implementations for several types of views and viewers for generating custom X-Y-Charts, Time Graphs, or Trees. They are well integrated with various TMF features such as reading traces and time synchronization with other views. They also handle mouse events for navigating the trace and view, zooming or presenting detailed information at mouse position. The code can be found in the TMF UI plug-in ''org.eclipse.tracecompass.tmf.ui''. See below for a list of relevant java packages:
662
663 * Generic
664 ** ''org.eclipse.tracecompass.tmf.ui.views'': Common TMF view base classes
665 * X-Y-Chart
666 ** ''org.eclipse.tracecompass.tmf.ui.viewers.xycharts'': Common base classes for X-Y-Chart viewers based on SWTChart
667 ** ''org.eclipse.tracecompass.tmf.ui.viewers.xycharts.barcharts'': Base classes for bar charts
668 ** ''org.eclipse.tracecompass.tmf.ui.viewers.xycharts.linecharts'': Base classes for line charts
669 * Time Graph View
670 ** ''org.eclipse.tracecompass.tmf.ui.widgets.timegraph'': Base classes for time graphs e.g. Gantt-charts
671 * Tree Viewer
672 ** ''org.eclipse.tracecompass.tmf.ui.viewers.tree'': Base classes for TMF specific tree viewers
673
674 Several features in TMF and the Eclipse LTTng integration are using this framework and can be used as example for further developments:
675 * X-Y- Chart
676 ** ''org.eclipse.tracecompass.internal.lttng2.ust.ui.views.memusage.MemUsageView.java''
677 ** ''org.eclipse.tracecompass.analysis.os.linux.ui.views.cpuusage.CpuUsageView.java''
678 ** ''org.eclipse.tracecompass.tracing.examples.ui.views.histogram.NewHistogramView.java''
679 * Time Graph View
680 ** ''org.eclipse.tracecompass.analysis.os.linux.ui.views.controlflow.ControlFlowView.java''
681 ** ''org.eclipse.tracecompass.analysis.os.linux.ui.views.resources.ResourcesView.java''
682 * Tree Viewer
683 ** ''org.eclipse.tracecompass.tmf.ui.views.statesystem.TmfStateSystemExplorer.java''
684 ** ''org.eclipse.tracecompass.analysis.os.linux.ui.views.cpuusage.CpuUsageComposite.java''
685
686 == Timing Analysis Views and Viewers ==
687
688 Trace Compass provides base implementations for timing views and viewers for generating Latency Tables, Scatter Charts, Density Graphs and Statistics Tables. They are well integrated with various Trace Compass features such as reading traces and time synchronization with other views. They also handle mouse events for navigating the trace and view, zooming or presenting detailed information at mouse position. The code can be found in the Analysis Timing plug-in ''org.eclipse.tracecompass.analysis.timing.ui''. See below for a list of relevant java packages:
689
690 * Latency Table
691 ** ''org.eclipse.tracecompass.analysis.timing.ui.views.segmentstore.table'': Base classes for Latency Tables
692 * Scatter Chart
693 ** ''org.eclipse.tracecompass.tmf.ui.views.tmfChartView.java'': Common base classes for X-Y-Chart viewers based on SWTChart
694 ** ''org.eclipse.tracecompass.analysis.timing.ui.views.segmentstore.scatter'': Base classes for Scatter Charts
695 * Density Graph
696 ** ''org.eclipse.tracecompass.analysis.timing.ui.views.segmentstore.density'': Base classes for Density Graphs
697 * Statistics Table
698 ** ''org.eclipse.tracecompass.analysis.timing.ui.views.segmentstore.statistics'': Base classes for Statistics Tables
699
700 Several features in Trace Compass are using this framework and can be used as example for further development:
701
702 * Latency Table
703 ** ''org.eclipse.tracecompass.internal.analysis.os.linux.ui.views.latency.SystemCallLatencyView.java''
704 ** ''org.eclipse.tracecompass.internal.tmf.analysis.xml.ui.views.latency.PatternLatencyTableView.java''
705 * Scatter Chart
706 ** ''org.eclipse.tracecompass.internal.analysis.os.linux.ui.views.latency.SystemCallLatencyScatterView.java''
707 ** ''org.eclipse.tracecompass.internal.tmf.analysis.xml.ui.views.latency.PatternScatterGraphView.java''
708 * Density Graph
709 ** ''org.eclipse.tracecompass.internal.analysis.os.linux.ui.views.latency.SystemCallLatencyDensityView.java''
710 ** ''org.eclipse.tracecompass.internal.tmf.analysis.xml.ui.views.latency.PatternDensityView.java''
711
712 * Statistics Table
713 ** ''org.eclipse.tracecompass.internal.analysis.os.linux.ui.views.latency.statistics.SystemCallLatencyStatisticsView.java''
714 ** ''org.eclipse.tracecompass.internal.tmf.analysis.xml.ui.views.latency.PatternStatisticsView.java''
715
716 = Component Interaction =
717
718 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.
719
720 The TMF Signal Manager handles registration of components and the broadcasting of signals to their intended receivers.
721
722 Components can register as VIP receivers which will ensure they will receive the signal before non-VIP receivers.
723
724 == Sending Signals ==
725
726 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.
727
728 <pre>
729 TmfExampleSignal signal = new TmfExampleSignal(this, ...);
730 TmfSignalManager.dispatchSignal(signal);
731 </pre>
732
733 If the sender is an instance of the class TmfComponent, the broadcast method can be used:
734
735 <pre>
736 TmfExampleSignal signal = new TmfExampleSignal(this, ...);
737 broadcast(signal);
738 </pre>
739
740 == Receiving Signals ==
741
742 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.
743
744 <pre>
745 TmfSignalManager.register(this);
746 TmfSignalManager.registerVIP(this);
747 </pre>
748
749 If the receiver is an instance of the class TmfComponent, it is automatically registered as a normal receiver in the constructor.
750
751 When the receiver is destroyed or disposed, it should deregister itself from the signal manager.
752
753 <pre>
754 TmfSignalManager.deregister(this);
755 </pre>
756
757 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.
758
759 <pre>
760 @TmfSignalHandler
761 public void example(TmfExampleSignal signal) {
762 ...
763 }
764 </pre>
765
766 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.
767
768 == Signal Throttling ==
769
770 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.
771
772 The signal throttler must first be initialized:
773
774 <pre>
775 final int delay = 100; // in ms
776 TmfSignalThrottler throttler = new TmfSignalThrottler(this, delay);
777 </pre>
778
779 Then the sending of signals should be queued through the throttler:
780
781 <pre>
782 TmfExampleSignal signal = new TmfExampleSignal(this, ...);
783 throttler.queue(signal);
784 </pre>
785
786 When the throttler is no longer needed, it should be disposed:
787
788 <pre>
789 throttler.dispose();
790 </pre>
791
792 == Signal Reference ==
793
794 The following is a list of built-in signals defined in the framework.
795
796 === TmfStartSynchSignal ===
797
798 ''Purpose''
799
800 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.
801
802 ''Senders''
803
804 Sent by TmfSignalManager before dispatching a signal to all receivers.
805
806 ''Receivers''
807
808 Received by TmfDataProvider.
809
810 === TmfEndSynchSignal ===
811
812 ''Purpose''
813
814 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.
815
816 ''Senders''
817
818 Sent by TmfSignalManager after dispatching a signal to all receivers.
819
820 ''Receivers''
821
822 Received by TmfDataProvider.
823
824 === TmfTraceOpenedSignal ===
825
826 ''Purpose''
827
828 This signal is used to indicate that a trace has been opened in an editor.
829
830 ''Senders''
831
832 Sent by a TmfEventsEditor instance when it is created.
833
834 ''Receivers''
835
836 Received by TmfTrace, TmfExperiment, TmfTraceManager and every view that shows trace data. Components that show trace data should handle this signal.
837
838 === TmfTraceSelectedSignal ===
839
840 ''Purpose''
841
842 This signal is used to indicate that a trace has become the currently selected trace.
843
844 ''Senders''
845
846 Sent by a TmfEventsEditor instance when it receives focus. Components can send this signal to make a trace editor be brought to front.
847
848 ''Receivers''
849
850 Received by TmfTraceManager and every view that shows trace data. Components that show trace data should handle this signal.
851
852 === TmfTraceClosedSignal ===
853
854 ''Purpose''
855
856 This signal is used to indicate that a trace editor has been closed.
857
858 ''Senders''
859
860 Sent by a TmfEventsEditor instance when it is disposed.
861
862 ''Receivers''
863
864 Received by TmfTraceManager and every view that shows trace data. Components that show trace data should handle this signal.
865
866 === TmfTraceRangeUpdatedSignal ===
867
868 ''Purpose''
869
870 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.
871
872 ''Senders''
873
874 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.
875
876 ''Receivers''
877
878 Received by TmfTrace, TmfExperiment and components that process trace events. Components that need to process trace events should handle this signal.
879
880 === TmfTraceUpdatedSignal ===
881
882 ''Purpose''
883
884 This signal is used to indicate that new events have been indexed for a trace.
885
886 ''Senders''
887
888 Sent by TmfCheckpointIndexer when new events have been indexed and the number of events has changed.
889
890 ''Receivers''
891
892 Received by components that need to be notified of a new trace event count.
893
894 === TmfSelectionRangeUpdatedSignal ===
895
896 ''Purpose''
897
898 This signal is used to indicate that a new time or time range has been
899 selected. It contains a begin and end time. If a single time is selected then
900 the begin and end time are the same.
901
902 ''Senders''
903
904 Sent by any component that allows the user to select a time or time range.
905
906 ''Receivers''
907
908 Received by any component that needs to be notified of the currently selected time or time range.
909
910 === TmfWindowRangeUpdatedSignal ===
911
912 ''Purpose''
913
914 This signal is used to indicate that a new time range window has been set.
915
916 ''Senders''
917
918 Sent by any component that allows the user to set a time range window.
919
920 ''Receivers''
921
922 Received by any component that needs to be notified of the current visible time range window.
923
924 === TmfEventFilterAppliedSignal ===
925
926 ''Purpose''
927
928 This signal is used to indicate that a filter has been applied to a trace.
929
930 ''Senders''
931
932 Sent by TmfEventsTable when a filter is applied.
933
934 ''Receivers''
935
936 Received by any component that shows trace data and needs to be notified of applied filters.
937
938 === TmfEventSearchAppliedSignal ===
939
940 ''Purpose''
941
942 This signal is used to indicate that a search has been applied to a trace.
943
944 ''Senders''
945
946 Sent by TmfEventsTable when a search is applied.
947
948 ''Receivers''
949
950 Received by any component that shows trace data and needs to be notified of applied searches.
951
952 === TmfTimestampFormatUpdateSignal ===
953
954 ''Purpose''
955
956 This signal is used to indicate that the timestamp format preference has been updated.
957
958 ''Senders''
959
960 Sent by TmfTimestampFormat when the default timestamp format preference is changed.
961
962 ''Receivers''
963
964 Received by any component that needs to refresh its display for the new timestamp format.
965
966 === TmfStatsUpdatedSignal ===
967
968 ''Purpose''
969
970 This signal is used to indicate that the statistics data model has been updated.
971
972 ''Senders''
973
974 Sent by statistic providers when new statistics data has been processed.
975
976 ''Receivers''
977
978 Received by statistics viewers and any component that needs to be notified of a statistics update.
979
980 === TmfPacketStreamSelected ===
981
982 ''Purpose''
983
984 This signal is used to indicate that the user has selected a packet stream to analyze.
985
986 ''Senders''
987
988 Sent by the Stream List View when the user selects a new packet stream.
989
990 ''Receivers''
991
992 Received by views that analyze packet streams.
993
994 === TmfStartAnalysisSignal ===
995
996 ''Purpose''
997
998 This signal is used to indicate that an analysis has started.
999
1000 ''Senders''
1001
1002 Sent by an analysis module when it starts to execute the analyis.
1003
1004 ''Receivers''
1005
1006 Received by components that need to be notified of the start of an analysis
1007 or that need to receive the analysis module.
1008
1009 === TmfCpuSelectedSignal ===
1010
1011 ''Purpose''
1012
1013 This signal is used to indicate that the user has selected a CPU core.
1014
1015 ''Senders''
1016
1017 Sent by any component that allows the user to select a CPU.
1018
1019 ''Receivers''
1020
1021 Received by viewers that show information specific to a selected CPU.
1022
1023 === TmfThreadSelectedSignal ===
1024
1025 ''Purpose''
1026
1027 This signal is used to indicate that the user has selected a thread.
1028
1029 ''Senders''
1030
1031 Sent by any component that allows the user to select a thread.
1032
1033 ''Receivers''
1034
1035 Received by viewers that show information specific to a selected thread.
1036
1037 === TmfTraceSynchronizedSignal ===
1038
1039 ''Purpose''
1040
1041 This signal is used to indicate that trace synchronization has been completed.
1042
1043 ''Senders''
1044
1045 Sent by the experiment after trace synchronization.
1046
1047 ''Receivers''
1048
1049 Received by any component that needs to be notified of trace synchronization.
1050
1051 == Debugging ==
1052
1053 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.tracecompass.tmf.core''', and check the '''signal''' item.
1054
1055 All signals sent and received will be logged to the file TmfTrace.log located in the Eclipse home directory.
1056
1057 = Generic State System =
1058
1059 == Introduction ==
1060
1061 The Generic State System is a utility available in TMF to track different states
1062 over the duration of a trace. It works by first sending some or all events of
1063 the trace into a state provider, which defines the state changes for a given
1064 trace type. Once built, views and analysis modules can then query the resulting
1065 database of states (called "state history") to get information.
1066
1067 For example, let's suppose we have the following sequence of events in a kernel
1068 trace:
1069
1070 10 s, sys_open, fd = 5, file = /home/user/myfile
1071 ...
1072 15 s, sys_read, fd = 5, size=32
1073 ...
1074 20 s, sys_close, fd = 5
1075
1076 Now let's say we want to implement an analysis module which will track the
1077 amount of bytes read and written to each file. Here, of course the sys_read is
1078 interesting. However, by just looking at that event, we have no information on
1079 which file is being read, only its fd (5) is known. To get the match
1080 fd5 = /home/user/myfile, we have to go back to the sys_open event which happens
1081 5 seconds earlier.
1082
1083 But since we don't know exactly where this sys_open event is, we will have to go
1084 back to the very start of the trace, and look through events one by one! This is
1085 obviously not efficient, and will not scale well if we want to analyze many
1086 similar patterns, or for very large traces.
1087
1088 A solution in this case would be to use the state system to keep track of the
1089 amount of bytes read/written to every *filename* (instead of every file
1090 descriptor, like we get from the events). Then the module could ask the state
1091 system "what is the amount of bytes read for file "/home/user/myfile" at time
1092 16 s", and it would return the answer "32" (assuming there is no other read
1093 than the one shown).
1094
1095 == High-level components ==
1096
1097 The State System infrastructure is composed of 3 parts:
1098 * The state provider
1099 * The central state system
1100 * The storage backend
1101
1102 The state provider is the customizable part. This is where the mapping from
1103 trace events to state changes is done. This is what you want to implement for
1104 your specific trace type and analysis type. It's represented by the
1105 ITmfStateProvider interface (with a threaded implementation in
1106 AbstractTmfStateProvider, which you can extend).
1107
1108 The core of the state system is exposed through the ITmfStateSystem and
1109 ITmfStateSystemBuilder interfaces. The former allows only read-only access and
1110 is typically used for views doing queries. The latter also allows writing to the
1111 state history, and is typically used by the state provider.
1112
1113 Finally, each state system has its own separate backend. This determines how the
1114 intervals, or the "state history", are saved (in RAM, on disk, etc.) You can
1115 select the type of backend at construction time in the TmfStateSystemFactory.
1116
1117 == Definitions ==
1118
1119 Before we dig into how to use the state system, we should go over some useful
1120 definitions:
1121
1122 === Attribute ===
1123
1124 An attribute is the smallest element of the model that can be in any particular
1125 state. When we refer to the "full state", in fact it means we are interested in
1126 the state of every single attribute of the model.
1127
1128 === Attribute Tree ===
1129
1130 Attributes in the model can be placed in a tree-like structure, a bit like files
1131 and directories in a file system. However, note that an attribute can always
1132 have both a value and sub-attributes, so they are like files and directories at
1133 the same time. We are then able to refer to every single attribute with its
1134 path in the tree.
1135
1136 For example, in the attribute tree for Linux kernel traces, we use the following
1137 attributes, among others:
1138
1139 <pre>
1140 |- Processes
1141 | |- 1000
1142 | | |- PPID
1143 | | |- Exec_name
1144 | |- 1001
1145 | | |- PPID
1146 | | |- Exec_name
1147 | ...
1148 |- CPUs
1149 |- 0
1150 | |- Status
1151 | |- Current_pid
1152 ...
1153 </pre>
1154
1155 In this model, the attribute "Processes/1000/PPID" refers to the PPID of process
1156 with PID 1000. The attribute "CPUs/0/Status" represents the status (running,
1157 idle, etc.) of CPU 0. "Processes/1000/PPID" and "Processes/1001/PPID" are two
1158 different attribute, even though their base name is the same: the whole path is
1159 the unique identifier.
1160
1161 The value of each attribute can change over the duration of the trace,
1162 independently of the other ones, and independently of its position in the tree.
1163
1164 The tree-like organization is optional, all attributes could be at the same
1165 level. But it's possible to put them in a tree, and it helps make things
1166 clearer.
1167
1168 === Quark ===
1169
1170 In addition to a given path, each attribute also has a unique integer
1171 identifier, called the "quark". To continue with the file system analogy, this
1172 is like the inode number. When a new attribute is created, a new unique quark
1173 will be assigned automatically. They are assigned incrementally, so they will
1174 normally be equal to their order of creation, starting at 0.
1175
1176 Methods are offered to get the quark of an attribute from its path. The API
1177 methods for inserting state changes and doing queries normally use quarks
1178 instead of paths. This is to encourage users to cache the quarks and re-use
1179 them, which avoids re-walking the attribute tree over and over, which avoids
1180 unneeded hashing of strings.
1181
1182 === State value ===
1183
1184 The path and quark of an attribute will remain constant for the whole duration
1185 of the trace. However, the value carried by the attribute will change. The value
1186 of a specific attribute at a specific time is called the state value.
1187
1188 In the TMF implementation, state values can be integers, longs, doubles, or strings.
1189 There is also a "null value" type, which is used to indicate that no particular
1190 value is active for this attribute at this time, but without resorting to a
1191 'null' reference.
1192
1193 Any other type of value could be used, as long as the backend knows how to store
1194 it.
1195
1196 Note that the TMF implementation also forces every attribute to always carry the
1197 same type of state value. This is to make it simpler for views, so they can
1198 expect that an attribute will always use a given type, without having to check
1199 every single time. Null values are an exception, they are always allowed for all
1200 attributes, since they can safely be "unboxed" into all types.
1201
1202 === State change ===
1203
1204 A state change is the element that is inserted in the state system. It consists
1205 of:
1206 * a timestamp (the time at which the state change occurs)
1207 * an attribute (the attribute whose value will change)
1208 * a state value (the new value that the attribute will carry)
1209
1210 It's not an object per se in the TMF implementation (it's represented by a
1211 function call in the state provider). Typically, the state provider will insert
1212 zero, one or more state changes for every trace event, depending on its event
1213 type, payload, etc.
1214
1215 Note, we use "timestamp" here, but it's in fact a generic term that could be
1216 referred to as "index". For example, if a given trace type has no notion of
1217 timestamp, the event rank could be used.
1218
1219 In the TMF implementation, the timestamp is a long (64-bit integer).
1220
1221 === State interval ===
1222
1223 State changes are inserted into the state system, but state intervals are the
1224 objects that come out on the other side. Those are stocked in the storage
1225 backend. A state interval represents a "state" of an attribute we want to track.
1226 When doing queries on the state system, intervals are what is returned. The
1227 components of a state interval are:
1228 * Start time
1229 * End time
1230 * State value
1231 * Quark
1232
1233 The start and end times represent the time range of the state. The state value
1234 is the same as the state value in the state change that started this interval.
1235 The interval also keeps a reference to its quark, although you normally know
1236 your quark in advance when you do queries.
1237
1238 === State history ===
1239
1240 The state history is the name of the container for all the intervals created by
1241 the state system. The exact implementation (how the intervals are stored) is
1242 determined by the storage backend that is used.
1243
1244 Some backends will use a state history that is persistent on disk, others do not.
1245 When loading a trace, if a history file is available and the backend supports
1246 it, it will be loaded right away, skipping the need to go through another
1247 construction phase.
1248
1249 === Construction phase ===
1250
1251 Before we can query a state system, we need to build the state history first. To
1252 do so, trace events are sent one-by-one through the state provider, which in
1253 turn sends state changes to the central component, which then creates intervals
1254 and stores them in the backend. This is called the construction phase.
1255
1256 Note that the state system needs to receive its events into chronological order.
1257 This phase will end once the end of the trace is reached.
1258
1259 Also note that it is possible to query the state system while it is being build.
1260 Any timestamp between the start of the trace and the current end time of the
1261 state system (available with ITmfStateSystem#getCurrentEndTime()) is a valid
1262 timestamp that can be queried.
1263
1264 === Queries ===
1265
1266 As mentioned previously, when doing queries on the state system, the returned
1267 objects will be state intervals. In most cases it's the state *value* we are
1268 interested in, but since the backend has to instantiate the interval object
1269 anyway, there is no additional cost to return the interval instead. This way we
1270 also get the start and end times of the state "for free".
1271
1272 There are two types of queries that can be done on the state system:
1273
1274 ==== Full queries ====
1275
1276 A full query means that we want to retrieve the whole state of the model for one
1277 given timestamp. As we remember, this means "the state of every single attribute
1278 in the model". As parameter we only need to pass the timestamp (see the API
1279 methods below). The return value will be an array of intervals, where the offset
1280 in the array represents the quark of each attribute.
1281
1282 ==== Single queries ====
1283
1284 In other cases, we might only be interested in the state of one particular
1285 attribute at one given timestamp. For these cases it's better to use a
1286 single query. For a single query. we need to pass both a timestamp and a
1287 quark in parameter. The return value will be a single interval, representing
1288 the state that this particular attribute was at that time.
1289
1290 Single queries are typically faster than full queries (but once again, this
1291 depends on the backend that is used), but not by much. Even if you only want the
1292 state of say 10 attributes out of 200, it could be faster to use a full query
1293 and only read the ones you need. Single queries should be used for cases where
1294 you only want one attribute per timestamp (for example, if you follow the state
1295 of the same attribute over a time range).
1296
1297
1298 == Relevant interfaces/classes ==
1299
1300 This section will describe the public interface and classes that can be used if
1301 you want to use the state system.
1302
1303 === Main classes in org.eclipse.tracecompass.tmf.core.statesystem ===
1304
1305 ==== ITmfStateProvider / AbstractTmfStateProvider ====
1306
1307 ITmfStateProvider is the interface you have to implement to define your state
1308 provider. This is where most of the work has to be done to use a state system
1309 for a custom trace type or analysis type.
1310
1311 For first-time users, it's recommended to extend AbstractTmfStateProvider
1312 instead. This class takes care of all the initialization mumbo-jumbo, and also
1313 runs the event handler in a separate thread. You will only need to implement
1314 eventHandle, which is the call-back that will be called for every event in the
1315 trace.
1316
1317 For an example, you can look at StatsStateProvider in the TMF tree, or at the
1318 small example below.
1319
1320 ==== TmfStateSystemFactory ====
1321
1322 Once you have defined your state provider, you need to tell your trace type to
1323 build a state system with this provider during its initialization. This consists
1324 of overriding TmfTrace#buildStateSystems() and in there of calling the method in
1325 TmfStateSystemFactory that corresponds to the storage backend you want to use
1326 (see the section [[#Comparison of state system backends]]).
1327
1328 You will have to pass in parameter the state provider you want to use, which you
1329 should have defined already. Each backend can also ask for more configuration
1330 information.
1331
1332 You must then call registerStateSystem(id, statesystem) to make your state
1333 system visible to the trace objects and the views. The ID can be any string of
1334 your choosing. To access this particular state system, the views or modules will
1335 need to use this ID.
1336
1337 Also, don't forget to call super.buildStateSystems() in your implementation,
1338 unless you know for sure you want to skip the state providers built by the
1339 super-classes.
1340
1341 You can look at how LttngKernelTrace does it for an example. It could also be
1342 possible to build a state system only under certain conditions (like only if the
1343 trace contains certain event types).
1344
1345
1346 ==== ITmfStateSystem ====
1347
1348 ITmfStateSystem is the main interface through which views or analysis modules
1349 will access the state system. It offers a read-only view of the state system,
1350 which means that no states can be inserted, and no attributes can be created.
1351 Calling TmfTrace#getStateSystems().get(id) will return you a ITmfStateSystem
1352 view of the requested state system. The main methods of interest are:
1353
1354 ===== getQuarkAbsolute()/getQuarkRelative() =====
1355
1356 Those are the basic quark-getting methods. The goal of the state system is to
1357 return the state values of given attributes at given timestamps. As we've seen
1358 earlier, attributes can be described with a file-system-like path. The goal of
1359 these methods is to convert from the path representation of the attribute to its
1360 quark.
1361
1362 Since quarks are created on-the-fly, there is no guarantee that the same
1363 attributes will have the same quark for two traces of the same type. The views
1364 should always query their quarks when dealing with a new trace or a new state
1365 provider. Beyond that however, quarks should be cached and reused as much as
1366 possible, to avoid potentially costly string re-hashing.
1367
1368 getQuarkAbsolute() takes a variable amount of Strings in parameter, which
1369 represent the full path to the attribute. Some of them can be constants, some
1370 can come programmatically, often from the event's fields.
1371
1372 getQuarkRelative() is to be used when you already know the quark of a certain
1373 attribute, and want to access on of its sub-attributes. Its first parameter is
1374 the origin quark, followed by a String varagrs which represent the relative path
1375 to the final attribute.
1376
1377 These two methods will throw an AttributeNotFoundException if trying to access
1378 an attribute that does not exist in the model.
1379
1380 These methods also imply that the view has the knowledge of how the attribute
1381 tree is organized. This should be a reasonable hypothesis, since the same
1382 analysis plugin will normally ship both the state provider and the view, and
1383 they will have been written by the same person. In other cases, it's possible to
1384 use getSubAttributes() to explore the organization of the attribute tree first.
1385
1386 ===== optQuarkAbsolute()/optQuarkRelative() =====
1387
1388 These two methods are similar to their counterparts getQuarkAbsolute() and
1389 getQuarkRelative(). The only difference is that if the referenced attribute does
1390 not exist, the value ITmfStateSystem#INVALID_ATTRIBUTE (-2) is returned instead
1391 of throwing an exception.
1392
1393 These methods should be used when the presence of the referenced attribute is
1394 known to be optional, to avoid the performance cost of generating exceptions.
1395
1396 ===== getQuarks() =====
1397
1398 This method (with or without a starting node quark) takes an attribute path
1399 array which may contain wildcard "*" or parent ".." elements, and returns the
1400 list of matching attribute quarks. If no matching attribute is found, an empty
1401 list is returned.
1402
1403 ===== waitUntilBuilt() =====
1404
1405 This is a simple method used to block the caller until the construction phase of
1406 this state system is done. If the view prefers to wait until all information is
1407 available before starting to do queries (to get all known attributes right away,
1408 for example), this is the guy to call.
1409
1410 ===== queryFullState() =====
1411
1412 This is the method to do full queries. As mentioned earlier, you only need to
1413 pass a target timestamp in parameter. It will return a List of state intervals,
1414 in which the offset corresponds to the attribute quark. This will represent the
1415 complete state of the model at the requested time.
1416
1417 ===== querySingleState() =====
1418
1419 The method to do single queries. You pass in parameter both a timestamp and an
1420 attribute quark. This will return the single state matching this
1421 timestamp/attribute pair.
1422
1423 Other methods are available, you are encouraged to read their Javadoc and see if
1424 they can be potentially useful.
1425
1426 ==== ITmfStateSystemBuilder ====
1427
1428 ITmfStateSystemBuilder is the read-write interface to the state system. It
1429 extends ITmfStateSystem itself, so all its methods are available. It then adds
1430 methods that can be used to write to the state system, either by creating new
1431 attributes of inserting state changes.
1432
1433 It is normally reserved for the state provider and should not be visible to
1434 external components. However it will be available in AbstractTmfStateProvider,
1435 in the field 'ss'. That way you can call ss.modifyAttribute() etc. in your state
1436 provider to write to the state.
1437
1438 The main methods of interest are:
1439
1440 ===== getQuark*AndAdd() =====
1441
1442 getQuarkAbsoluteAndAdd() and getQuarkRelativeAndAdd() work exactly like their
1443 non-AndAdd counterparts in ITmfStateSystem. The difference is that the -AndAdd
1444 versions will not throw any exception: if the requested attribute path does not
1445 exist in the system, it will be created, and its newly-assigned quark will be
1446 returned.
1447
1448 When in a state provider, the -AndAdd version should normally be used (unless
1449 you know for sure the attribute already exist and don't want to create it
1450 otherwise). This means that there is no need to define the whole attribute tree
1451 in advance, the attributes will be created on-demand.
1452
1453 ===== modifyAttribute() =====
1454
1455 This is the main state-change-insertion method. As was explained before, a state
1456 change is defined by a timestamp, an attribute and a state value. Those three
1457 elements need to be passed to modifyAttribute as parameters.
1458
1459 Other state change insertion methods are available (increment-, push-, pop- and
1460 removeAttribute()), but those are simply convenience wrappers around
1461 modifyAttribute(). Check their Javadoc for more information.
1462
1463 ===== closeHistory() =====
1464
1465 When the construction phase is done, do not forget to call closeHistory() to
1466 tell the backend that no more intervals will be received. Depending on the
1467 backend type, it might have to save files, close descriptors, etc. This ensures
1468 that a persistent file can then be re-used when the trace is opened again.
1469
1470 If you use the AbstractTmfStateProvider, it will call closeHistory()
1471 automatically when it reaches the end of the trace.
1472
1473 === Other relevant interfaces ===
1474
1475 ==== ITmfStateValue ====
1476
1477 This is the interface used to represent state values. Those are used when
1478 inserting state changes in the provider, and is also part of the state intervals
1479 obtained when doing queries.
1480
1481 The abstract TmfStateValue class contains the factory methods to create new
1482 state values of either int, long, double or string types. To retrieve the real
1483 object inside the state value, one can use the .unbox* methods.
1484
1485 Note: Do not instantiate null values manually, use TmfStateValue.nullValue()
1486
1487 ==== ITmfStateInterval ====
1488
1489 This is the interface to represent the state intervals, which are stored in the
1490 state history backend, and are returned when doing state system queries. A very
1491 simple implementation is available in TmfStateInterval. Its methods should be
1492 self-descriptive.
1493
1494 === Exceptions ===
1495
1496 The following exceptions, found in o.e.t.statesystem.core.exceptions, are related to
1497 state system activities.
1498
1499 ==== AttributeNotFoundException ====
1500
1501 This is thrown by getQuarkRelative() and getQuarkAbsolute() (but not by the
1502 -AndAdd versions!) when passing an attribute path that is not present in the
1503 state system. This is to ensure that no new attribute is created when using
1504 these versions of the methods.
1505
1506 Views can expect some attributes to be present, but they should handle these
1507 exceptions for when the attributes end up not being in the state system (perhaps
1508 this particular trace didn't have a certain type of events, etc.)
1509
1510 ==== StateValueTypeException ====
1511
1512 This exception will be thrown when trying to unbox a state value into a type
1513 different than its own. You should always check with ITmfStateValue#getType()
1514 beforehand if you are not sure about the type of a given state value.
1515
1516 ==== TimeRangeException ====
1517
1518 This exception is thrown when trying to do a query on the state system for a
1519 timestamp that is outside of its range. To be safe, you should check with
1520 ITmfStateSystem#getStartTime() and #getCurrentEndTime() for the current valid
1521 range of the state system. This is especially important when doing queries on
1522 a state system that is currently being built.
1523
1524 ==== StateSystemDisposedException ====
1525
1526 This exception is thrown when trying to access a state system that has been
1527 disposed, with its dispose() method. This can potentially happen at shutdown,
1528 since Eclipse is not always consistent with the order in which the components
1529 are closed.
1530
1531
1532 == Comparison of state system backends ==
1533
1534 As we have seen in section [[#High-level components]], the state system needs
1535 a storage backend to save the intervals. Different implementations are
1536 available when building your state system from TmfStateSystemFactory.
1537
1538 Do not confuse full/single queries with full/partial history! All backend types
1539 should be able to handle any type of queries defined in the ITmfStateSystem API,
1540 unless noted otherwise.
1541
1542 === Full history ===
1543
1544 Available with TmfStateSystemFactory#newFullHistory(). The full history uses a
1545 History Tree data structure, which is an optimized structure store state
1546 intervals on disk. Once built, it can respond to queries in a ''log(n)'' manner.
1547
1548 You need to specify a file at creation time, which will be the container for
1549 the history tree. Once it's completely built, it will remain on disk (until you
1550 delete the trace from the project). This way it can be reused from one session
1551 to another, which makes subsequent loading time much faster.
1552
1553 This the backend used by the LTTng kernel plugin. It offers good scalability and
1554 performance, even at extreme sizes (it's been tested with traces of sizes up to
1555 500 GB). Its main downside is the amount of disk space required: since every
1556 single interval is written to disk, the size of the history file can quite
1557 easily reach and even surpass the size of the trace itself.
1558
1559 === Null history ===
1560
1561 Available with TmfStateSystemFactory#newNullHistory(). As its name implies the
1562 null history is in fact an absence of state history. All its query methods will
1563 return null (see the Javadoc in NullBackend).
1564
1565 Obviously, no file is required, and almost no memory space is used.
1566
1567 It's meant to be used in cases where you are not interested in past states, but
1568 only in the "ongoing" one. It can also be useful for debugging and benchmarking.
1569
1570 === In-memory history ===
1571
1572 Available with TmfStateSystemFactory#newInMemHistory(). This is a simple wrapper
1573 using a TreeSet to store all state intervals in memory. The implementation at
1574 the moment is quite simple, it will perform a binary search on entries when
1575 doing queries to find the ones that match.
1576
1577 The advantage of this method is that it's very quick to build and query, since
1578 all the information resides in memory. However, you are limited to 2^31 entries
1579 (roughly 2 billions), and depending on your state provider and trace type, that
1580 can happen really fast!
1581
1582 There are no safeguards, so if you bust the limit you will end up with
1583 ArrayOutOfBoundsException's everywhere. If your trace or state history can be
1584 arbitrarily big, it's probably safer to use a Full History instead.
1585
1586 === Partial history ===
1587
1588 Available with TmfStateSystemFactory#newPartialHistory(). The partial history is
1589 a more advanced form of the full history. Instead of writing all state intervals
1590 to disk like with the full history, we only write a small fraction of them, and
1591 go back to read the trace to recreate the states in-between.
1592
1593 It has a big advantage over a full history in terms of disk space usage. It's
1594 very possible to reduce the history tree file size by a factor of 1000, while
1595 keeping query times within a factor of two. Its main downside comes from the
1596 fact that you cannot do efficient single queries with it (they are implemented
1597 by doing full queries underneath).
1598
1599 This makes it a poor choice for views like the Control Flow view, where you do
1600 a lot of range queries and single queries. However, it is a perfect fit for
1601 cases like statistics, where you usually do full queries already, and you store
1602 lots of small states which are very easy to "compress".
1603
1604 However, it can't really be used until bug 409630 is fixed.
1605
1606 == State System Operations ==
1607
1608 TmfStateSystemOperations is a static class that implements additional
1609 statistical operations that can be performed on attributes of the state system.
1610
1611 These operations require that the attribute be one of the numerical values
1612 (int, long or double).
1613
1614 The speed of these operations can be greatly improved for large data sets if
1615 the attribute was inserted in the state system as a mipmap attribute. Refer to
1616 the [[#Mipmap feature | Mipmap feature]] section.
1617
1618 ===== queryRangeMax() =====
1619
1620 This method returns the maximum numerical value of an attribute in the
1621 specified time range. The attribute must be of type int, long or double.
1622 Null values are ignored. The returned value will be of the same state value
1623 type as the base attribute, or a null value if there is no state interval
1624 stored in the given time range.
1625
1626 ===== queryRangeMin() =====
1627
1628 This method returns the minimum numerical value of an attribute in the
1629 specified time range. The attribute must be of type int, long or double.
1630 Null values are ignored. The returned value will be of the same state value
1631 type as the base attribute, or a null value if there is no state interval
1632 stored in the given time range.
1633
1634 ===== queryRangeAverage() =====
1635
1636 This method returns the average numerical value of an attribute in the
1637 specified time range. The attribute must be of type int, long or double.
1638 Each state interval value is weighted according to time. Null values are
1639 counted as zero. The returned value will be a double primitive, which will
1640 be zero if there is no state interval stored in the given time range.
1641
1642 == Code example ==
1643
1644 Here is a small example of code that will use the state system. For this
1645 example, let's assume we want to track the state of all the CPUs in a LTTng
1646 kernel trace. To do so, we will watch for the "sched_switch" event in the state
1647 provider, and will update an attribute indicating if the associated CPU should
1648 be set to "running" or "idle".
1649
1650 We will use an attribute tree that looks like this:
1651 <pre>
1652 CPUs
1653 |--0
1654 | |--Status
1655 |
1656 |--1
1657 | |--Status
1658 |
1659 | 2
1660 | |--Status
1661 ...
1662 </pre>
1663
1664 The second-level attributes will be named from the information available in the
1665 trace events. Only the "Status" attributes will carry a state value (this means
1666 we could have just used "1", "2", "3",... directly, but we'll do it in a tree
1667 for the example's sake).
1668
1669 Also, we will use integer state values to represent "running" or "idle", instead
1670 of saving the strings that would get repeated every time. This will help in
1671 reducing the size of the history file.
1672
1673 First we will define a state provider in MyStateProvider. Then, we define an
1674 analysis module that takes care of creating the state provider. The analysis
1675 module will also contain code that can query the state system.
1676
1677 === State Provider ===
1678
1679 <pre>
1680 import static org.eclipse.tracecompass.common.core.NonNullUtils.checkNotNull;
1681 import org.eclipse.jdt.annotation.NonNull;
1682 import org.eclipse.tracecompass.statesystem.core.exceptions.AttributeNotFoundException;
1683 import org.eclipse.tracecompass.statesystem.core.exceptions.StateValueTypeException;
1684 import org.eclipse.tracecompass.statesystem.core.exceptions.TimeRangeException;
1685 import org.eclipse.tracecompass.statesystem.core.statevalue.ITmfStateValue;
1686 import org.eclipse.tracecompass.statesystem.core.statevalue.TmfStateValue;
1687 import org.eclipse.tracecompass.tmf.core.event.ITmfEvent;
1688 import org.eclipse.tracecompass.tmf.core.statesystem.AbstractTmfStateProvider;
1689 import org.eclipse.tracecompass.tmf.core.trace.ITmfTrace;
1690 import org.eclipse.tracecompass.tmf.ctf.core.event.CtfTmfEvent;
1691
1692 /**
1693 * Example state system provider.
1694 *
1695 * @author Alexandre Montplaisir
1696 */
1697 public class MyStateProvider extends AbstractTmfStateProvider {
1698
1699 /** State value representing the idle state */
1700 public static ITmfStateValue IDLE = TmfStateValue.newValueInt(0);
1701
1702 /** State value representing the running state */
1703 public static ITmfStateValue RUNNING = TmfStateValue.newValueInt(1);
1704
1705 /**
1706 * Constructor
1707 *
1708 * @param trace
1709 * The trace to which this state provider is associated
1710 */
1711 public MyStateProvider(@NonNull ITmfTrace trace) {
1712 super(trace, "Example"); //$NON-NLS-1$
1713 /*
1714 * The second parameter here is not important, it's only used to name a
1715 * thread internally.
1716 */
1717 }
1718
1719 @Override
1720 public int getVersion() {
1721 /*
1722 * If the version of an existing file doesn't match the version supplied
1723 * in the provider, a rebuild of the history will be forced.
1724 */
1725 return 1;
1726 }
1727
1728 @Override
1729 public MyStateProvider getNewInstance() {
1730 return new MyStateProvider(getTrace());
1731 }
1732
1733 @Override
1734 protected void eventHandle(ITmfEvent ev) {
1735 /*
1736 * AbstractStateChangeInput should have already checked for the correct
1737 * class type.
1738 */
1739 CtfTmfEvent event = (CtfTmfEvent) ev;
1740
1741 final long ts = event.getTimestamp().getValue();
1742 Integer nextTid = ((Long) event.getContent().getField("next_tid").getValue()).intValue();
1743
1744 try {
1745
1746 if (event.getType().getName().equals("sched_switch")) {
1747 ITmfStateSystemBuilder ss = checkNotNull(getStateSystemBuilder());
1748 int quark = ss.getQuarkAbsoluteAndAdd("CPUs", String.valueOf(event.getCPU()), "Status");
1749 ITmfStateValue value;
1750 if (nextTid > 0) {
1751 value = RUNNING;
1752 } else {
1753 value = IDLE;
1754 }
1755 ss.modifyAttribute(ts, value, quark);
1756 }
1757
1758 } catch (TimeRangeException e) {
1759 /*
1760 * This should not happen, since the timestamp comes from a trace
1761 * event.
1762 */
1763 throw new IllegalStateException(e);
1764 } catch (AttributeNotFoundException e) {
1765 /*
1766 * This should not happen either, since we're only accessing a quark
1767 * we just created.
1768 */
1769 throw new IllegalStateException(e);
1770 } catch (StateValueTypeException e) {
1771 /*
1772 * This wouldn't happen here, but could potentially happen if we try
1773 * to insert mismatching state value types in the same attribute.
1774 */
1775 e.printStackTrace();
1776 }
1777
1778 }
1779
1780 }
1781 </pre>
1782
1783 === Analysis module definition ===
1784
1785 <pre>
1786 import static org.eclipse.tracecompass.common.core.NonNullUtils.checkNotNull;
1787
1788 import java.util.List;
1789
1790 import org.eclipse.tracecompass.statesystem.core.exceptions.AttributeNotFoundException;
1791 import org.eclipse.tracecompass.statesystem.core.exceptions.StateSystemDisposedException;
1792 import org.eclipse.tracecompass.statesystem.core.exceptions.TimeRangeException;
1793 import org.eclipse.tracecompass.statesystem.core.interval.ITmfStateInterval;
1794 import org.eclipse.tracecompass.statesystem.core.statevalue.ITmfStateValue;
1795 import org.eclipse.tracecompass.tmf.core.statesystem.ITmfStateProvider;
1796 import org.eclipse.tracecompass.tmf.core.statesystem.TmfStateSystemAnalysisModule;
1797 import org.eclipse.tracecompass.tmf.core.trace.ITmfTrace;
1798
1799 /**
1800 * Class showing examples of a StateSystemAnalysisModule with state system queries.
1801 *
1802 * @author Alexandre Montplaisir
1803 */
1804 public class MyStateSystemAnalysisModule extends TmfStateSystemAnalysisModule {
1805
1806 @Override
1807 protected ITmfStateProvider createStateProvider() {
1808 ITmfTrace trace = checkNotNull(getTrace());
1809 return new MyStateProvider(trace);
1810 }
1811
1812 @Override
1813 protected StateSystemBackendType getBackendType() {
1814 return StateSystemBackendType.FULL;
1815 }
1816
1817 /**
1818 * Example method of querying one attribute in the state system.
1819 *
1820 * We pass it a cpu and a timestamp, and it returns us if that cpu was
1821 * executing a process (true/false) at that time.
1822 *
1823 * @param cpu
1824 * The CPU to check
1825 * @param timestamp
1826 * The timestamp of the query
1827 * @return True if the CPU was running, false otherwise
1828 */
1829 public boolean cpuIsRunning(int cpu, long timestamp) {
1830 try {
1831 int quark = getStateSystem().getQuarkAbsolute("CPUs", String.valueOf(cpu), "Status");
1832 ITmfStateValue value = getStateSystem().querySingleState(timestamp, quark).getStateValue();
1833
1834 if (value.equals(MyStateProvider.RUNNING)) {
1835 return true;
1836 }
1837
1838 /*
1839 * Since at this level we have no guarantee on the contents of the state
1840 * system, it's important to handle these cases correctly.
1841 */
1842 } catch (AttributeNotFoundException e) {
1843 /*
1844 * Handle the case where the attribute does not exist in the state
1845 * system (no CPU with this number, etc.)
1846 */
1847 } catch (TimeRangeException e) {
1848 /*
1849 * Handle the case where 'timestamp' is outside of the range of the
1850 * history.
1851 */
1852 } catch (StateSystemDisposedException e) {
1853 /*
1854 * Handle the case where the state system is being disposed. If this
1855 * happens, it's normally when shutting down, so the view can just
1856 * return immediately and wait it out.
1857 */
1858 }
1859 return false;
1860 }
1861
1862
1863 /**
1864 * Example method of using a full query.
1865 *
1866 * We pass it a timestamp, and it returns us how many CPUs were executing a
1867 * process at that moment.
1868 *
1869 * @param timestamp
1870 * The target timestamp
1871 * @return The amount of CPUs that were running at that time
1872 */
1873 public int getNbRunningCpus(long timestamp) {
1874 int count = 0;
1875
1876 try {
1877 /* Get the list of the quarks we are interested in. */
1878 List<Integer> quarks = getStateSystem().getQuarks("CPUs", "*", "Status");
1879
1880 /*
1881 * Get the full state at our target timestamp (it's better than
1882 * doing an arbitrary number of single queries).
1883 */
1884 List<ITmfStateInterval> state = getStateSystem().queryFullState(timestamp);
1885
1886 /* Look at the value of the state for each quark */
1887 for (Integer quark : quarks) {
1888 ITmfStateValue value = state.get(quark).getStateValue();
1889 if (value.equals(MyStateProvider.RUNNING)) {
1890 count++;
1891 }
1892 }
1893
1894 } catch (TimeRangeException e) {
1895 /*
1896 * Handle the case where 'timestamp' is outside of the range of the
1897 * history.
1898 */
1899 } catch (StateSystemDisposedException e) {
1900 /* Handle the case where the state system is being disposed. */
1901 }
1902 return count;
1903 }
1904 }
1905 </pre>
1906
1907 == Mipmap feature ==
1908
1909 The mipmap feature allows attributes to be inserted into the state system with
1910 additional computations performed to automatically store sub-attributes that
1911 can later be used for statistical operations. The mipmap has a resolution which
1912 represents the number of state attribute changes that are used to compute the
1913 value at the next mipmap level.
1914
1915 The supported mipmap features are: max, min, and average. Each one of these
1916 features requires that the base attribute be a numerical state value (int, long
1917 or double). An attribute can be mipmapped for one or more of the features at
1918 the same time.
1919
1920 To use a mipmapped attribute in queries, call the corresponding methods of the
1921 static class [[#State System Operations | TmfStateSystemOperations]].
1922
1923 === AbstractTmfMipmapStateProvider ===
1924
1925 AbstractTmfMipmapStateProvider is an abstract provider class that allows adding
1926 features to a specific attribute into a mipmap tree. It extends AbstractTmfStateProvider.
1927
1928 If a provider wants to add mipmapped attributes to its tree, it must extend
1929 AbstractTmfMipmapStateProvider and call modifyMipmapAttribute() in the event
1930 handler, specifying one or more mipmap features to compute. Then the structure
1931 of the attribute tree will be :
1932
1933 <pre>
1934 |- <attribute>
1935 | |- <mipmapFeature> (min/max/avg)
1936 | | |- 1
1937 | | |- 2
1938 | | |- 3
1939 | | ...
1940 | | |- n (maximum mipmap level)
1941 | |- <mipmapFeature> (min/max/avg)
1942 | | |- 1
1943 | | |- 2
1944 | | |- 3
1945 | | ...
1946 | | |- n (maximum mipmap level)
1947 | ...
1948 </pre>
1949
1950 = UML2 Sequence Diagram Framework =
1951
1952 The purpose of the UML2 Sequence Diagram Framework of TMF is to provide a framework for generation of UML2 sequence diagrams. It provides
1953 *UML2 Sequence diagram drawing capabilities (i.e. lifelines, messages, activations, object creation and deletion)
1954 *a generic, re-usable Sequence Diagram View
1955 *Eclipse Extension Point for the creation of sequence diagrams
1956 *callback hooks for searching and filtering within the Sequence Diagram View
1957 *scalability<br>
1958 The following chapters describe the Sequence Diagram Framework as well as a reference implementation and its usage.
1959
1960 == TMF UML2 Sequence Diagram Extensions ==
1961
1962 In the UML2 Sequence Diagram Framework an Eclipse extension point is defined so that other plug-ins can contribute code to create sequence diagram.
1963
1964 '''Identifier''': org.eclipse.linuxtools.tmf.ui.uml2SDLoader<br>
1965 '''Description''': This extension point aims to list and connect any UML2 Sequence Diagram loader.<br>
1966 '''Configuration Markup''':<br>
1967
1968 <pre>
1969 <!ELEMENT extension (uml2SDLoader)+>
1970 <!ATTLIST extension
1971 point CDATA #REQUIRED
1972 id CDATA #IMPLIED
1973 name CDATA #IMPLIED
1974 >
1975 </pre>
1976
1977 *point - A fully qualified identifier of the target extension point.
1978 *id - An optional identifier of the extension instance.
1979 *name - An optional name of the extension instance.
1980
1981 <pre>
1982 <!ELEMENT uml2SDLoader EMPTY>
1983 <!ATTLIST uml2SDLoader
1984 id CDATA #REQUIRED
1985 name CDATA #REQUIRED
1986 class CDATA #REQUIRED
1987 view CDATA #REQUIRED
1988 default (true | false)
1989 </pre>
1990
1991 *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.
1992 *name - An name of the extension instance.
1993 *class - The implementation of this UML2 SD viewer loader. The class must implement org.eclipse.tracecompass.tmf.ui.views.uml2sd.load.IUml2SDLoader.
1994 *view - The view ID of the view that this loader aims to populate. Either org.eclipse.tracecompass.tmf.ui.views.uml2sd.SDView itself or a extension of org.eclipse.tracecompass.tmf.ui.views.uml2sd.SDView.
1995 *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.
1996
1997
1998 == Management of the Extension Point ==
1999
2000 The TMF UI plug-in is responsible for evaluating each contribution to the extension point.
2001 <br>
2002 <br>
2003 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]])
2004
2005 == Sequence Diagram View ==
2006
2007 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.tracecompass.tmf.ui'' (''org.eclipse.tracecompass.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''.
2008
2009 === Supported Widgets ===
2010
2011 The loader class provides a frame containing all the UML2 widgets to be displayed. The following widgets exist:
2012
2013 *Lifeline
2014 *Activation
2015 *Synchronous Message
2016 *Asynchronous Message
2017 *Synchronous Message Return
2018 *Asynchronous Message Return
2019 *Stop
2020
2021 For a lifeline, a category can be defined. The lifeline category defines icons, which are displayed in the lifeline header.
2022
2023 === Zooming ===
2024
2025 The Sequence Diagram View allows the user to zoom in, zoom out and reset the zoom factor.
2026
2027 === Printing ===
2028
2029 It is possible to print the whole sequence diagram as well as part of it.
2030
2031 === Key Bindings ===
2032
2033 *SHIFT+ALT+ARROW-DOWN - to scroll down within sequence diagram one view page at a time
2034 *SHIFT+ALT+ARROW-UP - to scroll up within sequence diagram one view page at a time
2035 *SHIFT+ALT+ARROW-RIGHT - to scroll right within sequence diagram one view page at a time
2036 *SHIFT+ALT+ARROW-LEFT - to scroll left within sequence diagram one view page at a time
2037 *SHIFT+ALT+ARROW-HOME - to jump to the beginning of the selected message if not already visible in page
2038 *SHIFT+ALT+ARROW-END - to jump to the end of the selected message if not already visible in page
2039 *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]])
2040 *CTRL+P - to open print dialog
2041
2042 === Preferences ===
2043
2044 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>
2045 [[Image:images/SeqDiagramPref.png]] <br>
2046 After changing the preferences select '''OK'''.
2047
2048 === Callback hooks ===
2049
2050 The Sequence Diagram View provides several callback hooks so that extension can provide application specific functionality. The following interfaces can be provided:
2051 * Basic find provider or extended find Provider<br> For finding within the sequence diagram
2052 * Basic filter provider and extended Filter Provider<br> For filtering within the sequnce diagram.
2053 * Basic paging provider or advanced paging provider<br> For scalability reasons, used to limit number of displayed messages
2054 * Properies provider<br> To provide properties of selected elements
2055 * Collapse provider <br> To collapse areas of the sequence diagram
2056
2057 == Tutorial ==
2058
2059 This tutorial describes how to create a UML2 Sequence Diagram Loader extension and use this loader in the in Eclipse.
2060
2061 === Prerequisites ===
2062
2063 The tutorial is based on Eclipse 4.4 (Eclipse Luna) and TMF 3.0.0.
2064
2065 === Creating an Eclipse UI Plug-in ===
2066
2067 To create a new project with name org.eclipse.tracecompass.tmf.sample.ui select '''File -> New -> Project -> Plug-in Development -> Plug-in Project'''. <br>
2068 [[Image:images/Screenshot-NewPlug-inProject1.png]]<br>
2069
2070 [[Image:images/Screenshot-NewPlug-inProject2.png]]<br>
2071
2072 [[Image:images/Screenshot-NewPlug-inProject3.png]]<br>
2073
2074 === Creating a Sequence Diagram View ===
2075
2076 To open the plug-in manifest, double-click on the MANIFEST.MF file. <br>
2077 [[Image:images/SelectManifest.png]]<br>
2078
2079 Change to the Dependencies tab and select '''Add...''' of the ''Required Plug-ins'' section. A new dialog box will open. Next find plug-ins ''org.eclipse.tracecompass.tmf.ui'' and ''org.eclipse.tracecompass.tmf.core'' and then press '''OK'''<br>
2080 [[Image:images/AddDependencyTmfUi.png]]<br>
2081
2082 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>
2083 [[Image:images/AddViewExtension1.png]]<br>
2084
2085 To create a Sequence Diagram View, click the right mouse button. Then select '''New -> view'''<br>
2086 [[Image:images/AddViewExtension2.png]]<br>
2087
2088 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.tracecompass.tmf.ui.views.SDView'') of the TMF UI plug-in is used.<br>
2089 [[Image:images/FillSampleSeqDiagram.png]]<br>
2090
2091 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>
2092 [[Image:images/RunEclipseApplication.png]]<br>
2093
2094 A new Eclipse application window will show. In the new window go to '''Windows -> Show View -> Other... -> Other -> Sample Sequence Diagram'''.<br>
2095 [[Image:images/ShowViewOther.png]]<br>
2096
2097 The Sequence Diagram View will open with an blank page.<br>
2098 [[Image:images/BlankSampleSeqDiagram.png]]<br>
2099
2100 Close the Example Application.
2101
2102 === Defining the uml2SDLoader Extension ===
2103
2104 After defining the Sequence Diagram View it's time to create the ''uml2SDLoader'' Extension. <br>
2105
2106 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>
2107 [[Image:images/AddTmfUml2SDLoader.png]]<br>
2108
2109 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>
2110 [[Image:images/FillSampleLoader.png]]<br>
2111
2112 Then click on ''class'' (see above) to open the new class dialog box. Fill in the relevant fields and select '''Finish'''. <br>
2113 [[Image:images/NewSampleLoaderClass.png]]<br>
2114
2115 A new Java class will be created which implements the interface ''org.eclipse.tracecompass.tmf.ui.views.uml2sd.load.IUml2SDLoader''.<br>
2116
2117 <pre>
2118 package org.eclipse.tracecompass.tmf.sample.ui;
2119
2120 import org.eclipse.tracecompass.tmf.ui.views.uml2sd.SDView;
2121 import org.eclipse.tracecompass.tmf.ui.views.uml2sd.load.IUml2SDLoader;
2122
2123 public class SampleLoader implements IUml2SDLoader {
2124
2125 public SampleLoader() {
2126 // TODO Auto-generated constructor stub
2127 }
2128
2129 @Override
2130 public void dispose() {
2131 // TODO Auto-generated method stub
2132
2133 }
2134
2135 @Override
2136 public String getTitleString() {
2137 // TODO Auto-generated method stub
2138 return null;
2139 }
2140
2141 @Override
2142 public void setViewer(SDView arg0) {
2143 // TODO Auto-generated method stub
2144
2145 }
2146 </pre>
2147
2148 === Implementing the Loader Class ===
2149
2150 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>
2151
2152 <pre>
2153 package org.eclipse.tracecompass.tmf.sample.ui;
2154
2155 import org.eclipse.tracecompass.tmf.ui.views.uml2sd.SDView;
2156 import org.eclipse.tracecompass.tmf.ui.views.uml2sd.core.AsyncMessage;
2157 import org.eclipse.tracecompass.tmf.ui.views.uml2sd.core.AsyncMessageReturn;
2158 import org.eclipse.tracecompass.tmf.ui.views.uml2sd.core.EllipsisMessage;
2159 import org.eclipse.tracecompass.tmf.ui.views.uml2sd.core.ExecutionOccurrence;
2160 import org.eclipse.tracecompass.tmf.ui.views.uml2sd.core.Frame;
2161 import org.eclipse.tracecompass.tmf.ui.views.uml2sd.core.Lifeline;
2162 import org.eclipse.tracecompass.tmf.ui.views.uml2sd.core.Stop;
2163 import org.eclipse.tracecompass.tmf.ui.views.uml2sd.core.SyncMessage;
2164 import org.eclipse.tracecompass.tmf.ui.views.uml2sd.core.SyncMessageReturn;
2165 import org.eclipse.tracecompass.tmf.ui.views.uml2sd.load.IUml2SDLoader;
2166
2167 public class SampleLoader implements IUml2SDLoader {
2168
2169 private SDView fSdView;
2170
2171 public SampleLoader() {
2172 }
2173
2174 @Override
2175 public void dispose() {
2176 }
2177
2178 @Override
2179 public String getTitleString() {
2180 return "Sample Diagram";
2181 }
2182
2183 @Override
2184 public void setViewer(SDView arg0) {
2185 fSdView = arg0;
2186 createFrame();
2187 }
2188
2189 private void createFrame() {
2190
2191 Frame testFrame = new Frame();
2192 testFrame.setName("Sample Frame");
2193
2194 /*
2195 * Create lifelines
2196 */
2197
2198 Lifeline lifeLine1 = new Lifeline();
2199 lifeLine1.setName("Object1");
2200 testFrame.addLifeLine(lifeLine1);
2201
2202 Lifeline lifeLine2 = new Lifeline();
2203 lifeLine2.setName("Object2");
2204 testFrame.addLifeLine(lifeLine2);
2205
2206
2207 /*
2208 * Create Sync Message
2209 */
2210 // Get new occurrence on lifelines
2211 lifeLine1.getNewEventOccurrence();
2212
2213 // Get Sync message instances
2214 SyncMessage start = new SyncMessage();
2215 start.setName("Start");
2216 start.setEndLifeline(lifeLine1);
2217 testFrame.addMessage(start);
2218
2219 /*
2220 * Create Sync Message
2221 */
2222 // Get new occurrence on lifelines
2223 lifeLine1.getNewEventOccurrence();
2224 lifeLine2.getNewEventOccurrence();
2225
2226 // Get Sync message instances
2227 SyncMessage syn1 = new SyncMessage();
2228 syn1.setName("Sync Message 1");
2229 syn1.setStartLifeline(lifeLine1);
2230 syn1.setEndLifeline(lifeLine2);
2231 testFrame.addMessage(syn1);
2232
2233 /*
2234 * Create corresponding Sync Message Return
2235 */
2236
2237 // Get new occurrence on lifelines
2238 lifeLine1.getNewEventOccurrence();
2239 lifeLine2.getNewEventOccurrence();
2240
2241 SyncMessageReturn synReturn1 = new SyncMessageReturn();
2242 synReturn1.setName("Sync Message Return 1");
2243 synReturn1.setStartLifeline(lifeLine2);
2244 synReturn1.setEndLifeline(lifeLine1);
2245 synReturn1.setMessage(syn1);
2246 testFrame.addMessage(synReturn1);
2247
2248 /*
2249 * Create Activations (Execution Occurrence)
2250 */
2251 ExecutionOccurrence occ1 = new ExecutionOccurrence();
2252 occ1.setStartOccurrence(start.getEventOccurrence());
2253 occ1.setEndOccurrence(synReturn1.getEventOccurrence());
2254 lifeLine1.addExecution(occ1);
2255 occ1.setName("Activation 1");
2256
2257 ExecutionOccurrence occ2 = new ExecutionOccurrence();
2258 occ2.setStartOccurrence(syn1.getEventOccurrence());
2259 occ2.setEndOccurrence(synReturn1.getEventOccurrence());
2260 lifeLine2.addExecution(occ2);
2261 occ2.setName("Activation 2");
2262
2263 /*
2264 * Create Sync Message
2265 */
2266 // Get new occurrence on lifelines
2267 lifeLine1.getNewEventOccurrence();
2268 lifeLine2.getNewEventOccurrence();
2269
2270 // Get Sync message instances
2271 AsyncMessage asyn1 = new AsyncMessage();
2272 asyn1.setName("Async Message 1");
2273 asyn1.setStartLifeline(lifeLine1);
2274 asyn1.setEndLifeline(lifeLine2);
2275 testFrame.addMessage(asyn1);
2276
2277 /*
2278 * Create corresponding Sync Message Return
2279 */
2280
2281 // Get new occurrence on lifelines
2282 lifeLine1.getNewEventOccurrence();
2283 lifeLine2.getNewEventOccurrence();
2284
2285 AsyncMessageReturn asynReturn1 = new AsyncMessageReturn();
2286 asynReturn1.setName("Async Message Return 1");
2287 asynReturn1.setStartLifeline(lifeLine2);
2288 asynReturn1.setEndLifeline(lifeLine1);
2289 asynReturn1.setMessage(asyn1);
2290 testFrame.addMessage(asynReturn1);
2291
2292 /*
2293 * Create a note
2294 */
2295
2296 // Get new occurrence on lifelines
2297 lifeLine1.getNewEventOccurrence();
2298
2299 EllipsisMessage info = new EllipsisMessage();
2300 info.setName("Object deletion");
2301 info.setStartLifeline(lifeLine2);
2302 testFrame.addNode(info);
2303
2304 /*
2305 * Create a Stop
2306 */
2307 Stop stop = new Stop();
2308 stop.setLifeline(lifeLine2);
2309 stop.setEventOccurrence(lifeLine2.getNewEventOccurrence());
2310 lifeLine2.addNode(stop);
2311
2312 fSdView.setFrame(testFrame);
2313 }
2314 }
2315 </pre>
2316
2317 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>
2318 [[Image:images/SampleDiagram1.png]] <br>
2319
2320 === Adding time information ===
2321
2322 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.tracecompass.tmf.core''. 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>
2323
2324 <pre>
2325 private void createFrame() {
2326 //...
2327 start.setTime(TmfTimestamp.create(1000, -3));
2328 syn1.setTime(TmfTimestamp.create(1005, -3));
2329 synReturn1.setTime(TmfTimestamp.create(1050, -3));
2330 asyn1.setStartTime(TmfTimestamp.create(1060, -3));
2331 asyn1.setEndTime(TmfTimestamp.create(1070, -3));
2332 asynReturn1.setStartTime(TmfTimestamp.create(1060, -3));
2333 asynReturn1.setEndTime(TmfTimestamp.create(1070, -3));
2334 //...
2335 }
2336 </pre>
2337
2338 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>
2339
2340 [[Image:images/SampleDiagramTimeComp.png]] <br>
2341
2342 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.
2343
2344 [[Image:images/SampleDiagramSyncMessage.png]] <br>
2345 [[Image:images/SampleDiagramAsyncMessage.png]] <br>
2346
2347 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 ''AsyncMessage'' the end time is used for the delta calculation.<br>
2348 [[Image:images/SampleDiagramMessageDelta.png]] <br>
2349
2350 === Default Coolbar and Menu Items ===
2351
2352 The Sequence Diagram View comes with default coolbar and menu items. By default, each sequence diagram shows the following actions:
2353 * Zoom in
2354 * Zoom out
2355 * Reset Zoom Factor
2356 * Selection
2357 * Configure Min Max (drop-down menu only)
2358 * Navigation -> Show the node end (drop-down menu only)
2359 * Navigation -> Show the node start (drop-down menu only)
2360
2361 [[Image:images/DefaultCoolbarMenu.png]]<br>
2362
2363 === Implementing Optional Callbacks ===
2364
2365 The following chapters describe how to use all supported provider interfaces.
2366
2367 ==== Using the Paging Provider Interface ====
2368
2369 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.
2370 <br>
2371 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.
2372
2373 <pre>
2374 public class SampleLoader implements IUml2SDLoader, ISDPagingProvider {
2375 //...
2376 private int page = 0;
2377
2378 @Override
2379 public void dispose() {
2380 if (fSdView != null) {
2381 fSdView.resetProviders();
2382 }
2383 }
2384
2385 @Override
2386 public void setViewer(SDView arg0) {
2387 fSdView = arg0;
2388 fSdView.setSDPagingProvider(this);
2389 createFrame();
2390 }
2391
2392 private void createSecondFrame() {
2393 Frame testFrame = new Frame();
2394 testFrame.setName("SecondFrame");
2395 Lifeline lifeline = new Lifeline();
2396 lifeline.setName("LifeLine 0");
2397 testFrame.addLifeLine(lifeline);
2398 lifeline = new Lifeline();
2399 lifeline.setName("LifeLine 1");
2400 testFrame.addLifeLine(lifeline);
2401 for (int i = 1; i < 5; i++) {
2402 SyncMessage message = new SyncMessage();
2403 message.autoSetStartLifeline(testFrame.getLifeline(0));
2404 message.autoSetEndLifeline(testFrame.getLifeline(0));
2405 message.setName((new StringBuilder("Message ")).append(i).toString());
2406 testFrame.addMessage(message);
2407
2408 SyncMessageReturn messageReturn = new SyncMessageReturn();
2409 messageReturn.autoSetStartLifeline(testFrame.getLifeline(0));
2410 messageReturn.autoSetEndLifeline(testFrame.getLifeline(0));
2411
2412 testFrame.addMessage(messageReturn);
2413 messageReturn.setName((new StringBuilder("Message return ")).append(i).toString());
2414 ExecutionOccurrence occ = new ExecutionOccurrence();
2415 occ.setStartOccurrence(testFrame.getSyncMessage(i - 1).getEventOccurrence());
2416 occ.setEndOccurrence(testFrame.getSyncMessageReturn(i - 1).getEventOccurrence());
2417 testFrame.getLifeline(0).addExecution(occ);
2418 }
2419 fSdView.setFrame(testFrame);
2420 }
2421
2422 @Override
2423 public boolean hasNextPage() {
2424 return page == 0;
2425 }
2426
2427 @Override
2428 public boolean hasPrevPage() {
2429 return page == 1;
2430 }
2431
2432 @Override
2433 public void nextPage() {
2434 page = 1;
2435 createSecondFrame();
2436 }
2437
2438 @Override
2439 public void prevPage() {
2440 page = 0;
2441 createFrame();
2442 }
2443
2444 @Override
2445 public void firstPage() {
2446 page = 0;
2447 createFrame();
2448 }
2449
2450 @Override
2451 public void lastPage() {
2452 page = 1;
2453 createSecondFrame();
2454 }
2455 //...
2456 }
2457
2458 </pre>
2459
2460 When running the example application, new actions will be shown in the coolbar and the coolbar menu. <br>
2461
2462 [[Image:images/PageProviderAdded.png]]
2463
2464 <br><br>
2465 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.
2466 <br>
2467
2468 ==== Using the Find Provider Interface ====
2469
2470 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.
2471 <br>
2472 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.
2473 <br>
2474 Only on at a time can be active. If the extended find provder is defined it obsoletes the basic find provider.
2475 <br>
2476 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.
2477
2478 <pre>
2479 public class SampleLoader implements IUml2SDLoader, ISDPagingProvider, ISDFindProvider {
2480
2481 //...
2482 @Override
2483 public void dispose() {
2484 if (fSdView != null) {
2485 fSdView.resetProviders();
2486 }
2487 }
2488
2489 @Override
2490 public void setViewer(SDView arg0) {
2491 fSdView = arg0;
2492 fSdView.setSDPagingProvider(this);
2493 fSdView.setSDFindProvider(this);
2494 createFrame();
2495 }
2496
2497 @Override
2498 public boolean isNodeSupported(int nodeType) {
2499 switch (nodeType) {
2500 case ISDGraphNodeSupporter.LIFELINE:
2501 case ISDGraphNodeSupporter.SYNCMESSAGE:
2502 return true;
2503
2504 default:
2505 break;
2506 }
2507 return false;
2508 }
2509
2510 @Override
2511 public String getNodeName(int nodeType, String loaderClassName) {
2512 switch (nodeType) {
2513 case ISDGraphNodeSupporter.LIFELINE:
2514 return "Lifeline";
2515 case ISDGraphNodeSupporter.SYNCMESSAGE:
2516 return "Sync Message";
2517 }
2518 return "";
2519 }
2520
2521 @Override
2522 public boolean find(Criteria criteria) {
2523 Frame frame = fSdView.getFrame();
2524 if (criteria.isLifeLineSelected()) {
2525 for (int i = 0; i < frame.lifeLinesCount(); i++) {
2526 if (criteria.matches(frame.getLifeline(i).getName())) {
2527 fSdView.getSDWidget().moveTo(frame.getLifeline(i));
2528 return true;
2529 }
2530 }
2531 }
2532 if (criteria.isSyncMessageSelected()) {
2533 for (int i = 0; i < frame.syncMessageCount(); i++) {
2534 if (criteria.matches(frame.getSyncMessage(i).getName())) {
2535 fSdView.getSDWidget().moveTo(frame.getSyncMessage(i));
2536 return true;
2537 }
2538 }
2539 }
2540 return false;
2541 }
2542
2543 @Override
2544 public void cancel() {
2545 // reset find parameters
2546 }
2547 //...
2548 }
2549 </pre>
2550
2551 When running the example application, the find action will be shown in the coolbar and the coolbar menu. <br>
2552 [[Image:images/FindProviderAdded.png]]
2553
2554 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>
2555 [[Image:images/FindDialog.png]]<br>
2556
2557 Note that the find dialog will be opened by typing the key shortcut CRTL+F.
2558
2559 ==== Using the Filter Provider Interface ====
2560
2561 For filtering of sequence diagram elements two interfaces exist. 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.
2562 <br>
2563 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>
2564 Note that no example implementation of ''filter()'' is provided.
2565 <br>
2566
2567 <pre>
2568 public class SampleLoader implements IUml2SDLoader, ISDPagingProvider, ISDFindProvider, ISDFilterProvider {
2569
2570 //...
2571 @Override
2572 public void dispose() {
2573 if (fSdView != null) {
2574 fSdView.resetProviders();
2575 }
2576 }
2577
2578 @Override
2579 public void setViewer(SDView arg0) {
2580 fSdView = arg0;
2581 fSdView.setSDPagingProvider(this);
2582 fSdView.setSDFindProvider(this);
2583 fSdView.setSDFilterProvider(this);
2584 createFrame();
2585 }
2586
2587 @Override
2588 public boolean filter(List<FilterCriteria> list) {
2589 return false;
2590 }
2591 //...
2592 }
2593 </pre>
2594
2595 When running the example application, the filter action will be shown in the coolbar menu. <br>
2596 [[Image:images/HidePatternsMenuItem.png]]
2597
2598 To filter select the '''Hide Patterns...''' of the coolbar menu. A new dialog box will open. <br>
2599 [[Image:images/DialogHidePatterns.png]]
2600
2601 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>
2602 [[Image:images/DialogHidePatterns.png]] <br>
2603
2604 Now back at the Hide Pattern dialog. Select one or more filter and select '''OK'''.
2605
2606 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.
2607
2608 ==== Using the Extended Action Bar Provider Interface ====
2609
2610 The extended action bar provider can be used to add customized actions to the Sequence Diagram View.
2611 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>
2612
2613 <pre>
2614 public class SampleLoader implements IUml2SDLoader, ISDPagingProvider, ISDFindProvider, ISDFilterProvider, ISDExtendedActionBarProvider {
2615 //...
2616
2617 @Override
2618 public void dispose() {
2619 if (fSdView != null) {
2620 fSdView.resetProviders();
2621 }
2622 }
2623
2624 @Override
2625 public void setViewer(SDView arg0) {
2626 fSdView = arg0;
2627 fSdView.setSDPagingProvider(this);
2628 fSdView.setSDFindProvider(this);
2629 fSdView.setSDFilterProvider(this);
2630 fSdView.setSDExtendedActionBarProvider(this);
2631 createFrame();
2632 }
2633
2634 @Override
2635 public void supplementCoolbarContent(IActionBars iactionbars) {
2636 Action action = new Action("Refresh") {
2637 @Override
2638 public void run() {
2639 System.out.println("Refreshing...");
2640 }
2641 };
2642 iactionbars.getMenuManager().add(action);
2643 iactionbars.getToolBarManager().add(action);
2644 }
2645 //...
2646 }
2647 </pre>
2648
2649 When running the example application, all new actions will be added to the coolbar and coolbar menu according to the implementation of ''supplementCoolbarContent()''<br>.
2650 For the example above the coolbar and coolbar menu will look as follows.
2651
2652 [[Image:images/SupplCoolbar.png]]
2653
2654 ==== Using the Properties Provider Interface====
2655
2656 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>
2657
2658 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.
2659
2660 Please refer to the following Eclipse articles for more information about properties and tabed properties.
2661 *[http://www.eclipse.org/articles/Article-Properties-View/properties-view.html | Take control of your properties]
2662 *[http://www.eclipse.org/articles/Article-Tabbed-Properties/tabbed_properties_view.html | The Eclipse Tabbed Properties View]
2663
2664 ==== Using the Collapse Provider Interface ====
2665
2666 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.
2667
2668 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.
2669
2670 ==== Using the Selection Provider Service ====
2671
2672 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.
2673
2674 <pre>
2675 public class SampleLoader implements IUml2SDLoader, ISDPagingProvider, ISDFindProvider, ISDFilterProvider, ISDExtendedActionBarProvider, ISelectionListener {
2676
2677 //...
2678 @Override
2679 public void dispose() {
2680 if (fSdView != null) {
2681 PlatformUI.getWorkbench().getActiveWorkbenchWindow().getSelectionService().removePostSelectionListener(this);
2682 fSdView.resetProviders();
2683 }
2684 }
2685
2686 @Override
2687 public String getTitleString() {
2688 return "Sample Diagram";
2689 }
2690
2691 @Override
2692 public void setViewer(SDView arg0) {
2693 fSdView = arg0;
2694 PlatformUI.getWorkbench().getActiveWorkbenchWindow().getSelectionService().addPostSelectionListener(this);
2695 fSdView.setSDPagingProvider(this);
2696 fSdView.setSDFindProvider(this);
2697 fSdView.setSDFilterProvider(this);
2698 fSdView.setSDExtendedActionBarProvider(this);
2699
2700 createFrame();
2701 }
2702
2703 @Override
2704 public void selectionChanged(IWorkbenchPart part, ISelection selection) {
2705 ISelection sel = PlatformUI.getWorkbench().getActiveWorkbenchWindow().getSelectionService().getSelection();
2706 if (sel != null && (sel instanceof StructuredSelection)) {
2707 StructuredSelection stSel = (StructuredSelection) sel;
2708 if (stSel.getFirstElement() instanceof BaseMessage) {
2709 BaseMessage syncMsg = ((BaseMessage) stSel.getFirstElement());
2710 System.out.println("Message '" + syncMsg.getName() + "' selected.");
2711 }
2712 }
2713 }
2714
2715 //...
2716 }
2717 </pre>
2718
2719 === Printing a Sequence Diagram ===
2720
2721 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>
2722
2723 [[Image:images/PrintDialog.png]] <br>
2724
2725 Fill in all the relevant information, select '''Printer...''' to choose the printer and the press '''OK'''.
2726
2727 === Using one Sequence Diagram View with Multiple Loaders ===
2728
2729 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:
2730
2731 <pre>
2732 public class OpenSDView extends AbstractHandler {
2733 @Override
2734 public Object execute(ExecutionEvent event) throws ExecutionException {
2735 try {
2736 IWorkbenchPage persp = TmfUiPlugin.getDefault().getWorkbench().getActiveWorkbenchWindow().getActivePage();
2737 SDView view = (SDView) persp.showView("org.eclipse.linuxtools.ust.examples.ui.componentinteraction");
2738 LoadersManager.getLoadersManager().createLoader("org.eclipse.tracecompass.tmf.ui.views.uml2sd.impl.TmfUml2SDSyncLoader", view);
2739 } catch (PartInitException e) {
2740 throw new ExecutionException("PartInitException caught: ", e);
2741 }
2742 return null;
2743 }
2744 }
2745 </pre>
2746
2747 === Downloading the Tutorial ===
2748
2749 Use the following link to download the source code of the tutorial [https://wiki.eclipse.org/images/7/79/SamplePluginTC.zip Plug-in of Tutorial].
2750
2751 == Integration of Tracing and Monitoring Framework with Sequence Diagram Framework ==
2752
2753 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.
2754
2755 === Reference Implementation ===
2756
2757 A Sequence Diagram View Extension is defined in the plug-in TMF UI as well as a uml2SDLoader Extension with the reference loader.
2758
2759 [[Image:images/ReferenceExtensions.png]]
2760
2761 === Used Sequence Diagram Features ===
2762
2763 Besides the default features of the Sequence Diagram Framework, the reference implementation uses the following additional features:
2764 *Advanced paging
2765 *Basic finding
2766 *Basic filtering
2767 *Selection Service
2768
2769 ==== Advanced paging ====
2770
2771 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.
2772
2773 ==== Basic finding ====
2774
2775 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.
2776
2777 ==== Basic filtering ====
2778
2779 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.
2780
2781 ==== Selection Service ====
2782
2783 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 .
2784
2785 === Used TMF Features ===
2786
2787 The reference implementation uses the following features of TMF:
2788 *TMF Experiment and Trace for accessing traces
2789 *Event Request Framework to request TMF events from the experiment and respective traces
2790 *Signal Framework for broadcasting and receiving TMF signals for synchronization purposes
2791
2792 ==== TMF Experiment and Trace for accessing traces ====
2793
2794 The reference loader uses TMF Experiments to access traces and to request data from the traces.
2795
2796 ==== TMF Event Request Framework ====
2797
2798 The reference loader use the TMF Event Request Framework to request events from the experiment and its traces.
2799
2800 When opening a trace (which is triggered by signal ''TmfTraceSelectedSignal'') 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.
2801
2802 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.
2803
2804 A third type of event request is issued for finding specific data across pages.
2805
2806 ==== TMF Signal Framework ====
2807
2808 The reference loader extends the class ''TmfComponent''. By doing that the loader is registered as a TMF signal handler for sending and receiving TMF signals. The loader implements signal handlers for the following TMF signals:
2809 *''TmfTraceSelectedSignal''
2810 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.
2811 *''TmfTraceClosedSignal''
2812 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.
2813 *''TmfTimeSynchSignal''
2814 This signal is used to indicate that a new time or time range has been selected. It contains a begin and end time. If a single time is selected then the begin and end time are the same. When receiving this signal the corresponding message matching the begin time is selected in the Sequence Diagram View. If necessary, the page is changed.
2815 *''TmfRangeSynchSignal''
2816 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.
2817
2818 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''.
2819
2820 === Supported Traces ===
2821
2822 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>
2823
2824 Note that combined traces of multiple components, that contain the trace information about the same interactions are not supported in the reference implementation!
2825
2826 === Trace Format ===
2827
2828 The reference implementation in class ''TmfUml2SDSyncLoader'' in package ''org.eclipse.tracecompass.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:
2829
2830 <pre>
2831 /**
2832 * @param tmfEvent Event to parse for sequence diagram event details
2833 * @return sequence diagram event if details are available else null
2834 */
2835 protected ITmfSyncSequenceDiagramEvent getSequenceDiagramEvent(ITmfEvent tmfEvent){
2836 //type = .*RECEIVE.* or .*SEND.*
2837 //content = sender:<sender name>:receiver:<receiver name>,signal:<signal name>
2838 String eventType = tmfEvent.getType().toString();
2839 if (eventType.contains(Messages.TmfUml2SDSyncLoader_EventTypeSend) || eventType.contains(Messages.TmfUml2SDSyncLoader_EventTypeReceive)) {
2840 Object sender = tmfEvent.getContent().getField(Messages.TmfUml2SDSyncLoader_FieldSender);
2841 Object receiver = tmfEvent.getContent().getField(Messages.TmfUml2SDSyncLoader_FieldReceiver);
2842 Object name = tmfEvent.getContent().getField(Messages.TmfUml2SDSyncLoader_FieldSignal);
2843 if ((sender instanceof ITmfEventField) && (receiver instanceof ITmfEventField) && (name instanceof ITmfEventField)) {
2844 ITmfSyncSequenceDiagramEvent sdEvent = new TmfSyncSequenceDiagramEvent(tmfEvent,
2845 ((ITmfEventField) sender).getValue().toString(),
2846 ((ITmfEventField) receiver).getValue().toString(),
2847 ((ITmfEventField) name).getValue().toString());
2848
2849 return sdEvent;
2850 }
2851 }
2852 return null;
2853 }
2854 </pre>
2855
2856 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 can be created using this information. Note that Sync Messages are assumed, which means start and end time are the same.
2857
2858 === How to use the Reference Implementation ===
2859
2860 An example CTF (Common Trace Format) trace is provided that contains trace events with sequence diagram information. To download the reference trace, use the following link: [https://wiki.eclipse.org/images/3/35/ReferenceTrace.zip Reference Trace].
2861
2862 Run an Eclipse application with Trace Compass 0.1.0 or later installed. To open the Reference Sequence Diagram View, select '''Windows -> Show View -> Other... -> Tracing -> Sequence Diagram''' <br>
2863 [[Image:images/ShowTmfSDView.png]]<br>
2864
2865 A blank Sequence Diagram View will open.
2866
2867 Then import the reference trace to the '''Project Explorer''' using the '''Import Trace Package...''' menu option.<br>
2868 [[Image:images/ImportTracePackage.png]]
2869
2870 Next, open the trace by double-clicking on the trace element in the '''Project Explorer'''. The trace will be opened and the Sequence Diagram view will be filled.
2871 [[Image:images/ReferenceSeqDiagram.png]]<br>
2872
2873 Now the reference implementation can be explored. To demonstrate the view features try the following things:
2874 *Select a message in the Sequence diagram. As result the corresponding event will be selected in the Events View.
2875 *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.
2876 *In the Events View, press key ''End''. As result, the Sequence Diagram view will jump to the last page.
2877 *In the Events View, press key ''Home''. As result, the Sequence Diagram view will jump to the first page.
2878 *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.
2879 * 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>
2880
2881 === Extending the Reference Loader ===
2882
2883 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 getSequenceDiagramEvent(ITmfEvent tmfEvent)'' with your own implementation.
2884
2885 = CTF Parser =
2886
2887 == CTF Format ==
2888 CTF is a format used to store traces. It is self defining, binary and made to be easy to write to.
2889 Before going further, the full specification of the CTF file format can be found at http://www.efficios.com/ .
2890
2891 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.
2892
2893 These files can be split into two types :
2894 * Metadata
2895 * Event streams
2896
2897 === Metadata ===
2898 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.
2899
2900 === Event Streams ===
2901 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.
2902
2903 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"
2904
2905 == Reading a trace ==
2906 In order to read a CTF trace, two steps must be done.
2907 * The metadata must be read to know how to read the events.
2908 * the events must be read.
2909
2910 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 grammar. 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.
2911
2912 When the metadata is loaded and read, the trace object will be populated with 3 items:
2913 * the event definitions available per stream: a definition is a description of the datatype.
2914 * 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.
2915 * the beginning of a packet index.
2916
2917 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. Every time 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.
2918
2919 == Seeking in a trace ==
2920 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 packet size (kernel default).
2921
2922 == Interfacing to TMF ==
2923 The trace can be read easily now but the data is still awkward to extract.
2924
2925 === CtfLocation ===
2926 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.
2927
2928 === CtfTmfTrace ===
2929 The CtfTmfTrace is a wrapper for the standard CTF trace that allows it to perform the following actions:
2930 * '''initTrace()''' create a trace
2931 * '''validateTrace()''' is the trace a CTF trace?
2932 * '''getLocationRatio()''' how far in the trace is my location?
2933 * '''seekEvent()''' sets the cursor to a certain point in a trace.
2934 * '''readNextEvent()''' reads the next event and then advances the cursor
2935 * '''getTraceProperties()''' gets the 'env' structures of the metadata
2936
2937 === CtfIterator ===
2938 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.
2939
2940 === CtfIteratorManager ===
2941 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.
2942
2943 === CtfTmfContext ===
2944 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.
2945
2946 === CtfTmfTimestamp ===
2947 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.
2948
2949 === CtfTmfEvent ===
2950 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.
2951
2952 === Other ===
2953 There are other helper files that format given events for views, they are simpler and the architecture does not depend on them.
2954
2955 === Limitations ===
2956 For the moment live CTF trace reading is not supported.
2957
2958 = Event matching and trace synchronization =
2959
2960 Event matching consists in taking an event from a trace and linking it to another event in a possibly different trace. The example that comes to mind is matching network packets sent from one traced machine to another traced machine. These matches can be used to synchronize traces.
2961
2962 Trace synchronization consists in taking traces, taken on different machines, with a different time reference, and finding the formula to transform the timestamps of some of the traces, so that they all have the same time reference.
2963
2964 == Event matching interfaces ==
2965
2966 Here's a description of the major parts involved in event matching. These classes are all in the ''org.eclipse.tracecompass.tmf.core.event.matching'' package:
2967
2968 * '''ITmfEventMatching''': Controls the event matching process
2969 * '''ITmfMatchEventDefinition''': Describes how events are matched
2970 * '''IMatchProcessingUnit''': Processes the matched events
2971
2972 == Implementation details and how to extend it ==
2973
2974 === ITmfEventMatching interface and derived classes ===
2975
2976 This interface and its default abstract implementation '''TmfEventMatching''' control the event matching itself. Their only public method is ''matchEvents''. The class needs to manage how to setup the traces, and any initialization or finalization procedures.
2977
2978 The abstract class generates an event request for each trace from which events are matched and waits for the request to complete before calling the one from another trace. The ''handleData'' method from the request calls the ''matchEvent'' method that needs to be implemented in children classes.
2979
2980 Class '''TmfNetworkEventMatching''' is a concrete implementation of this interface. It applies to all use cases where a ''in'' event can be matched with a ''out' event (''in'' and ''out'' can be the same event, with different data). It creates a '''TmfEventDependency''' between the source and destination events. The dependency is added to the processing unit.
2981
2982 To match events requiring other mechanisms (for instance, a series of events can be matched with another series of events), one would need to implement another class either extending '''TmfEventMatching''' or implementing '''ITmfEventMatching'''. It would most probably also require a new '''ITmfMatchEventDefinition''' implementation.
2983
2984 === ITmfMatchEventDefinition interface and its derived classes ===
2985
2986 These are the classes that describe how to actually match specific events together.
2987
2988 The '''canMatchTrace''' method will tell if a definition is compatible with a given trace.
2989
2990 The '''getEventKey''' method will return a key for an event that uniquely identifies this event and will match the key from another event.
2991
2992 Typically, there would be a match definition abstract class/interface per event matching type.
2993
2994 The interface '''ITmfNetworkMatchDefinition''' adds the ''getDirection'' method to indicate whether this event is a ''in'' or ''out'' event to be matched with one from the opposite direction.
2995
2996 As examples, two concrete network match definitions have been implemented in the ''org.eclipse.tracecompass.internal.lttng2.kernel.core.event.matching'' package for two compatible methods of matching TCP packets (See the Trace Compass User Guide on ''trace synchronization'' for information on those matching methods). Each one tells which events need to be present in the metadata of a CTF trace for this matching method to be applicable. It also returns the field values from each event that will uniquely match 2 events together.
2997
2998 === IMatchProcessingUnit interface and derived classes ===
2999
3000 While matching events is an exercise in itself, it's what to do with the match that really makes this functionality interesting. This is the job of the '''IMatchProcessingUnit''' interface.
3001
3002 '''TmfEventMatches''' provides a default implementation that only stores the matches to count them. When a new match is obtained, the ''addMatch'' is called with the match and the processing unit can do whatever needs to be done with it.
3003
3004 A match processing unit can be an analysis in itself. For example, trace synchronization is done through such a processing unit. One just needs to set the processing unit in the TmfEventMatching constructor.
3005
3006 == Code examples ==
3007
3008 === Using network packets matching in an analysis ===
3009
3010 This example shows how one can create a processing unit inline to create a link between two events. In this example, the code already uses an event request, so there is no need here to call the ''matchEvents'' method, that will only create another request.
3011
3012 <pre>
3013 class MyAnalysis extends TmfAbstractAnalysisModule {
3014
3015 private TmfNetworkEventMatching tcpMatching;
3016
3017 ...
3018
3019 protected void executeAnalysis() {
3020
3021 IMatchProcessingUnit matchProcessing = new IMatchProcessingUnit() {
3022 @Override
3023 public void matchingEnded() {
3024 }
3025
3026 @Override
3027 public void init(ITmfTrace[] fTraces) {
3028 }
3029
3030 @Override
3031 public int countMatches() {
3032 return 0;
3033 }
3034
3035 @Override
3036 public void addMatch(TmfEventDependency match) {
3037 log.debug("we got a tcp match! " + match.getSourceEvent().getContent() + " " + match.getDestinationEvent().getContent());
3038 TmfEvent source = match.getSourceEvent();
3039 TmfEvent destination = match.getDestinationEvent();
3040 /* Create a link between the two events */
3041 }
3042 };
3043
3044 ITmfTrace[] traces = { getTrace() };
3045 tcpMatching = new TmfNetworkEventMatching(traces, matchProcessing);
3046 tcpMatching.initMatching();
3047
3048 MyEventRequest request = new MyEventRequest(this, i);
3049 getTrace().sendRequest(request);
3050 }
3051
3052 public void analyzeEvent(TmfEvent event) {
3053 ...
3054 tcpMatching.matchEvent(event, 0);
3055 ...
3056 }
3057
3058 ...
3059
3060 }
3061
3062 class MyEventRequest extends TmfEventRequest {
3063
3064 private final MyAnalysis analysis;
3065
3066 MyEventRequest(MyAnalysis analysis, int traceno) {
3067 super(CtfTmfEvent.class,
3068 TmfTimeRange.ETERNITY,
3069 0,
3070 TmfDataRequest.ALL_DATA,
3071 ITmfDataRequest.ExecutionType.FOREGROUND);
3072 this.analysis = analysis;
3073 }
3074
3075 @Override
3076 public void handleData(final ITmfEvent event) {
3077 super.handleData(event);
3078 if (event != null) {
3079 analysis.analyzeEvent(event);
3080 }
3081 }
3082 }
3083 </pre>
3084
3085 === Match network events from UST traces ===
3086
3087 Suppose a client-server application is instrumented using LTTng-UST. Traces are collected on the server and some clients on different machines. The traces can be synchronized using network event matching.
3088
3089 The following metadata describes the events:
3090
3091 <pre>
3092 event {
3093 name = "myapp:send";
3094 id = 0;
3095 stream_id = 0;
3096 loglevel = 13;
3097 fields := struct {
3098 integer { size = 32; align = 8; signed = 1; encoding = none; base = 10; } _sendto;
3099 integer { size = 64; align = 8; signed = 1; encoding = none; base = 10; } _messageid;
3100 integer { size = 64; align = 8; signed = 1; encoding = none; base = 10; } _data;
3101 };
3102 };
3103
3104 event {
3105 name = "myapp:receive";
3106 id = 1;
3107 stream_id = 0;
3108 loglevel = 13;
3109 fields := struct {
3110 integer { size = 32; align = 8; signed = 1; encoding = none; base = 10; } _from;
3111 integer { size = 64; align = 8; signed = 1; encoding = none; base = 10; } _messageid;
3112 integer { size = 64; align = 8; signed = 1; encoding = none; base = 10; } _data;
3113 };
3114 };
3115 </pre>
3116
3117 One would need to write an event match definition for those 2 events as follows:
3118
3119 <pre>
3120 public class MyAppUstEventMatching implements ITmfNetworkMatchDefinition {
3121
3122 @Override
3123 public Direction getDirection(ITmfEvent event) {
3124 String evname = event.getType().getName();
3125 if (evname.equals("myapp:receive")) {
3126 return Direction.IN;
3127 } else if (evname.equals("myapp:send")) {
3128 return Direction.OUT;
3129 }
3130 return null;
3131 }
3132
3133 @Override
3134 public IEventMatchingKey getEventKey(ITmfEvent event) {
3135 IEventMatchingKey key;
3136
3137 if (evname.equals("myapp:receive")) {
3138 key = new MyEventMatchingKey(event.getContent().getField("from").getValue(),
3139 event.getContent().getField("messageid").getValue());
3140 } else {
3141 key = new MyEventMatchingKey(event.getContent().getField("sendto").getValue(),
3142 event.getContent().getField("messageid").getValue());
3143 }
3144
3145 return key;
3146 }
3147
3148 @Override
3149 public boolean canMatchTrace(ITmfTrace trace) {
3150 if (!(trace instanceof CtfTmfTrace)) {
3151 return false;
3152 }
3153 CtfTmfTrace ktrace = (CtfTmfTrace) trace;
3154 String[] events = { "myapp:receive", "myapp:send" };
3155 return ktrace.hasAtLeastOneOfEvents(events);
3156 }
3157
3158 @Override
3159 public MatchingType[] getApplicableMatchingTypes() {
3160 MatchingType[] types = { MatchingType.NETWORK };
3161 return types;
3162 }
3163
3164 }
3165 </pre>
3166
3167 Somewhere in code that will be executed at the start of the plugin (like in the Activator), the following code will have to be run:
3168
3169 <pre>
3170 TmfEventMatching.registerMatchObject(new MyAppUstEventMatching());
3171 </pre>
3172
3173 Now, only adding the traces in an experiment and clicking the '''Synchronize traces''' menu element would synchronize the traces using the new definition for event matching.
3174
3175 == Trace synchronization ==
3176
3177 Trace synchronization classes and interfaces are located in the ''org.eclipse.tracecompass.tmf.core.synchronization'' package.
3178
3179 === Synchronization algorithm ===
3180
3181 Synchronization algorithms are used to synchronize traces from events matched between traces. After synchronization, traces taken on different machines with different time references see their timestamps modified such that they all use the same time reference (typically, the time of at least one of the traces). With traces from different machines, it is impossible to have perfect synchronization, so the result is a best approximation that takes network latency into account.
3182
3183 The abstract class '''SynchronizationAlgorithm''' is a processing unit for matches. New synchronization algorithms must extend this one, it already contains the functions to get the timestamp transforms for different traces.
3184
3185 The ''fully incremental convex hull'' synchronization algorithm is the default synchronization algorithm.
3186
3187 While the synchronization system provisions for more synchronization algorithms, there is not yet a way to select one, the experiment's trace synchronization uses the default algorithm. To test a new synchronization algorithm, the synchronization should be called directly like this:
3188
3189 <pre>
3190 SynchronizationAlgorithm syncAlgo = new MyNewSynchronizationAlgorithm();
3191 syncAlgo = SynchronizationManager.synchronizeTraces(syncFile, traces, syncAlgo, true);
3192 </pre>
3193
3194 === Timestamp transforms ===
3195
3196 Timestamp transforms are the formulae used to transform the timestamps from a trace into the reference time. The '''ITmfTimestampTransform''' is the interface to implement to add a new transform.
3197
3198 The following classes implement this interface:
3199
3200 * '''TmfTimestampTransform''': default transform. It cannot be instantiated, it has a single static object TmfTimestampTransform.IDENTITY, which returns the original timestamp.
3201 * '''TmfTimestampTransformLinear''': transforms the timestamp using a linear formula: ''f(t) = at + b'', where ''a'' and ''b'' are computed by the synchronization algorithm.
3202
3203 One could extend the interface for other timestamp transforms, for instance to have a transform where the formula would change over the course of the trace.
3204
3205 == Todo ==
3206
3207 Here's a list of features not yet implemented that would enhance trace synchronization and event matching:
3208
3209 * Ability to select a synchronization algorithm
3210 * Implement a better way to select the reference trace instead of arbitrarily taking the first in alphabetical order (for instance, the minimum spanning tree algorithm by Masoume Jabbarifar (article on the subject not published yet))
3211 * Ability to join traces from the same host so that even if one of the traces is not synchronized with the reference trace, it will take the same timestamp transform as the one on the same machine.
3212 * Instead of having the timestamp transforms per trace, have the timestamp transform as part of an experiment context, so that the trace's specific analysis, like the state system, are in the original trace, but are transformed only when needed for an experiment analysis.
3213 * Add more views to display the synchronization information (only textual statistics are available for now)
3214
3215 = Analysis Framework =
3216
3217 Analysis modules are useful to tell the user exactly what can be done with a trace. The analysis framework provides an easy way to access and execute the modules and open the various outputs available.
3218
3219 Analyses can have parameters they can use in their code. They also have outputs registered to them to display the results from their execution.
3220
3221 == Creating a new module ==
3222
3223 All analysis modules must implement the '''IAnalysisModule''' interface from the o.e.l.tmf.core project. An abstract class, '''TmfAbstractAnalysisModule''', provides a good base implementation. It is strongly suggested to use it as a superclass of any new analysis.
3224
3225 === Example ===
3226
3227 This example shows how to add a simple analysis module for an LTTng kernel trace with two parameters. It also specifies two mandatory events by overriding '''getAnalysisRequirements'''. The analysis requirements are further explained in the section [[#Providing requirements to analyses]].
3228
3229 <pre>
3230 public class MyLttngKernelAnalysis extends TmfAbstractAnalysisModule {
3231
3232 public static final String PARAM1 = "myparam";
3233 public static final String PARAM2 = "myotherparam";
3234
3235 @Override
3236 public Iterable<TmfAnalysisRequirement> getAnalysisRequirements() {
3237
3238 // initialize the requirement: events
3239 Set<@NonNull String> requiredEvents = ImmutableSet.of("sched_switch", "sched_wakeup");
3240 TmfAbstractAnalysisRequirement eventsReq = new TmfAnalysisEventRequirement(requiredEvents, PriorityLevel.MANDATORY);
3241
3242 return ImmutableList.of(eventsReq);
3243 }
3244
3245 @Override
3246 protected void canceling() {
3247 /* The job I am running in is being cancelled, let's clean up */
3248 }
3249
3250 @Override
3251 protected boolean executeAnalysis(final IProgressMonitor monitor) {
3252 /*
3253 * I am running in an Eclipse job, and I already know I can execute
3254 * on a given trace.
3255 *
3256 * In the end, I will return true if I was successfully completed or
3257 * false if I was either interrupted or something wrong occurred.
3258 */
3259 Object param1 = getParameter(PARAM1);
3260 int param2 = (Integer) getParameter(PARAM2);
3261 }
3262
3263 @Override
3264 public Object getParameter(String name) {
3265 Object value = super.getParameter(name);
3266 /* Make sure the value of param2 is of the right type. For sake of
3267 simplicity, the full parameter format validation is not presented
3268 here */
3269 if ((value != null) && name.equals(PARAM2) && (value instanceof String)) {
3270 return Integer.parseInt((String) value);
3271 }
3272 return value;
3273 }
3274
3275 }
3276 </pre>
3277
3278 === Available base analysis classes and interfaces ===
3279
3280 The following are available as base classes for analysis modules. They also extend the abstract '''TmfAbstractAnalysisModule'''
3281
3282 * '''TmfStateSystemAnalysisModule''': A base analysis module that builds one state system. A module extending this class only needs to provide a state provider and the type of state system backend to use. All state systems should now use this base class as it also contains all the methods to actually create the state sytem with a given backend.
3283
3284 The following interfaces can optionally be implemented by analysis modules if they use their functionalities. For instance, some utility views, like the State System Explorer, may have access to the module's data through these interfaces.
3285
3286 * '''ITmfAnalysisModuleWithStateSystems''': Modules implementing this have one or more state systems included in them. For example, a module may "hide" 2 state system modules for its internal workings. By implementing this interface, it tells that it has state systems and can return them if required.
3287
3288 === How it works ===
3289
3290 Analyses are managed through the '''TmfAnalysisManager'''. The analysis manager is a singleton in the application and keeps track of all available analysis modules, with the help of '''IAnalysisModuleHelper'''. It can be queried to get the available analysis modules, either all of them or only those for a given tracetype. The helpers contain the non-trace specific information on an analysis module: its id, its name, the tracetypes it applies to, etc.
3291
3292 When a trace is opened, the helpers for the applicable analysis create new instances of the analysis modules. The analysis are then kept in a field of the trace and can be executed automatically or on demand.
3293
3294 The analysis is executed by calling the '''IAnalysisModule#schedule()''' method. This method makes sure the analysis is executed only once and, if it is already running, it won't start again. The analysis itself is run inside an Eclipse job that can be cancelled by the user or the application. The developer must consider the progress monitor that comes as a parameter of the '''executeAnalysis()''' method, to handle the proper cancellation of the processing. The '''IAnalysisModule#waitForCompletion()''' method will block the calling thread until the analysis is completed. The method will return whether the analysis was successfully completed or if it was cancelled.
3295
3296 A running analysis can be cancelled by calling the '''IAnalysisModule#cancel()''' method. This will set the analysis as done, so it cannot start again unless it is explicitly reset. This is done by calling the protected method '''resetAnalysis'''.
3297
3298 == Telling TMF about the analysis module ==
3299
3300 Now that the analysis module class exists, it is time to hook it to the rest of TMF so that it appears under the traces in the project explorer. The way to do so is to add an extension of type ''org.eclipse.linuxtools.tmf.core.analysis'' to a plugin, either through the ''Extensions'' tab of the Plug-in Manifest Editor or by editing directly the plugin.xml file.
3301
3302 The following code shows what the resulting plugin.xml file should look like.
3303
3304 <pre>
3305 <extension
3306 point="org.eclipse.linuxtools.tmf.core.analysis">
3307 <module
3308 id="my.lttng.kernel.analysis.id"
3309 name="My LTTng Kernel Analysis"
3310 analysis_module="my.plugin.package.MyLttngKernelAnalysis"
3311 automatic="true">
3312 <parameter
3313 name="myparam">
3314 </parameter>
3315 <parameter
3316 default_value="3"
3317 name="myotherparam">
3318 <tracetype
3319 class="org.eclipse.tracecompass.lttng2.kernel.core.trace.LttngKernelTrace">
3320 </tracetype>
3321 </module>
3322 </extension>
3323 </pre>
3324
3325 This defines an analysis module where the ''analysis_module'' attribute corresponds to the module class and must implement IAnalysisModule. This module has 2 parameters: ''myparam'' and ''myotherparam'' which has default value of 3. The ''tracetype'' element tells which tracetypes this analysis applies to. There can be many tracetypes. Also, the ''automatic'' attribute of the module indicates whether this analysis should be run when the trace is opened, or wait for the user's explicit request.
3326
3327 Note that with these extension points, it is possible to use the same module class for more than one analysis (with different ids and names). That is a desirable behavior. For instance, a third party plugin may add a new tracetype different from the one the module is meant for, but on which the analysis can run. Also, different analyses could provide different results with the same module class but with different default values of parameters.
3328
3329 == Attaching outputs and views to the analysis module ==
3330
3331 Analyses will typically produce outputs the user can examine. Outputs can be a text dump, a .dot file, an XML file, a view, etc. All output types must implement the '''IAnalysisOutput''' interface.
3332
3333 An output can be registered to an analysis module at any moment by calling the '''IAnalysisModule#registerOutput()''' method. Analyses themselves may know what outputs are available and may register them in the analysis constructor or after analysis completion.
3334
3335 The various concrete output types are:
3336
3337 * '''TmfAnalysisViewOutput''': It takes a view ID as parameter and, when selected, opens the view.
3338
3339 === Using the extension point to add outputs ===
3340
3341 Analysis outputs can also be hooked to an analysis using the same extension point ''org.eclipse.linuxtools.tmf.core.analysis'' in the plugin.xml file. Outputs can be matched either to a specific analysis identified by an ID, or to all analysis modules extending or implementing a given class or interface.
3342
3343 The following code shows how to add a view output to the analysis defined above directly in the plugin.xml file. This extension does not have to be in the same plugin as the extension defining the analysis. Typically, an analysis module can be defined in a core plugin, along with some outputs that do not require UI elements. Other outputs, like views, who need UI elements, will be defined in a ui plugin.
3344
3345 <pre>
3346 <extension
3347 point="org.eclipse.linuxtools.tmf.core.analysis">
3348 <output
3349 class="org.eclipse.tracecompass.tmf.ui.analysis.TmfAnalysisViewOutput"
3350 id="my.plugin.package.ui.views.myView">
3351 <analysisId
3352 id="my.lttng.kernel.analysis.id">
3353 </analysisId>
3354 </output>
3355 <output
3356 class="org.eclipse.tracecompass.tmf.ui.analysis.TmfAnalysisViewOutput"
3357 id="my.plugin.package.ui.views.myMoreGenericView">
3358 <analysisModuleClass
3359 class="my.plugin.package.core.MyAnalysisModuleClass">
3360 </analysisModuleClass>
3361 </output>
3362 </extension>
3363 </pre>
3364
3365 == Providing help for the module ==
3366
3367 For now, the only way to provide a meaningful help message to the user is by overriding the '''IAnalysisModule#getHelpText()''' method and return a string that will be displayed in a message box.
3368
3369 What still needs to be implemented is for a way to add a full user/developer documentation with mediawiki text file for each module and automatically add it to Eclipse Help. Clicking on the Help menu item of an analysis module would open the corresponding page in the help.
3370
3371 == Using analysis parameter providers ==
3372
3373 An analysis may have parameters that can be used during its execution. Default values can be set when describing the analysis module in the plugin.xml file, or they can use the '''IAnalysisParameterProvider''' interface to provide values for parameters. '''TmfAbstractAnalysisParamProvider''' provides an abstract implementation of this interface, that automatically notifies the module of a parameter change.
3374
3375 === Example parameter provider ===
3376
3377 The following example shows how to have a parameter provider listen to a selection in the LTTng kernel Control Flow view and send the thread id to the analysis.
3378
3379 <pre>
3380 public class MyLttngKernelParameterProvider extends TmfAbstractAnalysisParamProvider {
3381
3382 private ControlFlowEntry fCurrentEntry = null;
3383
3384 private static final String NAME = "My Lttng kernel parameter provider"; //$NON-NLS-1$
3385
3386 private ISelectionListener selListener = new ISelectionListener() {
3387 @Override
3388 public void selectionChanged(IWorkbenchPart part, ISelection selection) {
3389 if (selection instanceof IStructuredSelection) {
3390 Object element = ((IStructuredSelection) selection).getFirstElement();
3391 if (element instanceof ControlFlowEntry) {
3392 ControlFlowEntry entry = (ControlFlowEntry) element;
3393 setCurrentThreadEntry(entry);
3394 }
3395 }
3396 }
3397 };
3398
3399 /*
3400 * Constructor
3401 */
3402 public MyLttngKernelParameterProvider() {
3403 super();
3404 registerListener();
3405 }
3406
3407 @Override
3408 public String getName() {
3409 return NAME;
3410 }
3411
3412 @Override
3413 public Object getParameter(String name) {
3414 if (fCurrentEntry == null) {
3415 return null;
3416 }
3417 if (name.equals(MyLttngKernelAnalysis.PARAM1)) {
3418 return fCurrentEntry.getThreadId();
3419 }
3420 return null;
3421 }
3422
3423 @Override
3424 public boolean appliesToTrace(ITmfTrace trace) {
3425 return (trace instanceof LttngKernelTrace);
3426 }
3427
3428 private void setCurrentThreadEntry(ControlFlowEntry entry) {
3429 if (!entry.equals(fCurrentEntry)) {
3430 fCurrentEntry = entry;
3431 this.notifyParameterChanged(MyLttngKernelAnalysis.PARAM1);
3432 }
3433 }
3434
3435 private void registerListener() {
3436 final IWorkbench wb = PlatformUI.getWorkbench();
3437
3438 final IWorkbenchPage activePage = wb.getActiveWorkbenchWindow().getActivePage();
3439
3440 /* Add the listener to the control flow view */
3441 view = activePage.findView(ControlFlowView.ID);
3442 if (view != null) {
3443 view.getSite().getWorkbenchWindow().getSelectionService().addPostSelectionListener(selListener);
3444 view.getSite().getWorkbenchWindow().getPartService().addPartListener(partListener);
3445 }
3446 }
3447
3448 }
3449 </pre>
3450
3451 === Register the parameter provider to the analysis ===
3452
3453 To have the parameter provider class register to analysis modules, it must first register through the analysis manager. It can be done in a plugin's activator as follows:
3454
3455 <pre>
3456 @Override
3457 public void start(BundleContext context) throws Exception {
3458 /* ... */
3459 TmfAnalysisManager.registerParameterProvider("my.lttng.kernel.analysis.id", MyLttngKernelParameterProvider.class)
3460 }
3461 </pre>
3462
3463 where '''MyLttngKernelParameterProvider''' will be registered to analysis ''"my.lttng.kernel.analysis.id"''. When the analysis module is created, the new module will register automatically to the singleton parameter provider instance. Only one module is registered to a parameter provider at a given time, the one corresponding to the currently selected trace.
3464
3465 == Providing requirements to analyses ==
3466
3467 === Analysis requirement provider API ===
3468
3469 A requirement defines the needs of an analysis. For example, an analysis could need an event named ''"sched_switch"'' in order to be properly executed. The requirements are represented by extending the class '''TmfAbstractAnalysisRequirement'''. Since '''IAnalysisModule''' extends the '''IAnalysisRequirementProvider''' interface, all analysis modules must provide their requirements. If the analysis module extends '''TmfAbstractAnalysisModule''', it has the choice between overriding the requirements getter ('''IAnalysisRequirementProvider#getAnalysisRequirements()''') or not, since the abstract class returns an empty collection by default (no requirements).
3470
3471 === Requirement values ===
3472
3473 Each concrete analysis requirement class will define how a requirement is verified on a given trace.
3474 When creating a requirement, the developer will specify a set of values for that class.
3475 With an 'event' type requirement, a trace generator like the LTTng Control could automatically
3476 enable the required events.
3477 Another point we have to take into consideration is the priority level when creating a requirement object.
3478 The enum '''TmfAbstractAnalysisRequirement#PriorityLevel''' gives the choice
3479 between '''PriorityLevel#OPTIONAL''', '''PriorityLevel#ALL_OR_NOTHING''',
3480 '''PriorityLevel#AT_LEAST_ONE''' or '''PriorityLevel#MANDATORY'''. That way, we
3481 can tell if an analysis can run without a value or not.
3482
3483
3484 To create a requirement one has the choice to extend the abstract class
3485 '''TmfAbstractAnalysisRequirement''' or use the existing implementations:
3486 '''TmfAnalysisEventRequirement''' (will verify the presence of events identified by name),
3487 '''TmfAnalysisEventFieldRequirement''' (will verify the presence of fields for some or all events) or
3488 '''TmfCompositeAnalysisRequirement''' (join requirements together with one of the priority levels).
3489
3490 Moreover, information can be added to requirements. That way, the developer can explicitly give help details at the requirement level instead of at the analysis level (which would just be a general help text). To add information to a requirement, the method '''TmfAnalysisRequirement#addInformation()''' must be called. Adding information is not mandatory.
3491
3492 === Example of providing requirements ===
3493
3494 In this example, we will implement a method that initializes a requirement object
3495 and return it in the '''IAnalysisRequirementProvider#getAnalysisRequirements()'''
3496 getter. The example method will return a set with three requirements.
3497 The first one will indicate a mandatory event needed by a specific analysis,
3498 the second one will tell an optional event name and the third will indicate
3499 mandatory event fields for the given event type.
3500
3501 Note that in LTTng event contexts are considered as event fields. Using the
3502 '''TmfAnalysisEventFieldRequirement''' it's possible to define requirements
3503 on event contexts (see 3rd requirement in example below).
3504
3505 <pre>
3506 @Override
3507 public @NonNull Iterable<@NonNull TmfAbstractAnalysisRequirement> getAnalysisRequirements() {
3508
3509 /* Requirement on event name */
3510 Set<@NonNull String> requiredEvents = ImmutableSet.of("sched_wakeup");
3511 TmfAbstractAnalysisRequirement eventsReq1 = new TmfAnalysisEventRequirement(requiredEvents, PriorityLevel.MANDATORY);
3512
3513 requiredEvents = ImmutableSet.of("sched_switch");
3514 TmfAbstractAnalysisRequirement eventsReq2 = new TmfAnalysisEventRequirement(requiredEvents, PriorityLevel.OPTIONAL);
3515
3516 /* An information about the events */
3517 eventsReq2.addInformation("The event sched_wakeup is optional because it's not properly handled by this analysis yet.");
3518
3519 /* Requirement on event fields */
3520 Set<@NonNull String> requiredEventFields = ImmutableSet.of("context._procname", "context._ip");
3521 TmfAbstractAnalysisRequirement eventFieldRequirement = new TmfAnalysisEventFieldRequirement(
3522 "event name",
3523 requiredEventFields,
3524 PriorityLevel.MANDATORY);
3525
3526 Set<TmfAbstractAnalysisRequirement> requirements = ImmutableSet.of(eventsReq1, eventsReq2, eventFieldRequirement);
3527 return requirements;
3528 }
3529 </pre>
3530
3531
3532 == TODO ==
3533
3534 Here's a list of features not yet implemented that would improve the analysis module user experience:
3535
3536 * Implement help using the Eclipse Help facility (without forgetting an eventual command line request)
3537 * The abstract class '''TmfAbstractAnalysisModule''' executes an analysis as a job, but nothing compels a developer to do so for an analysis implementing the '''IAnalysisModule''' interface. We should force the execution of the analysis as a job, either from the trace itself or using the TmfAnalysisManager or by some other mean.
3538 * Views and outputs are often registered by the analysis themselves (forcing them often to be in the .ui packages because of the views), because there is no other easy way to do so. We should extend the analysis extension point so that .ui plugins or other third-party plugins can add outputs to a given analysis that resides in the core.
3539 * Improve the user experience with the analysis:
3540 ** Allow the user to select which analyses should be available, per trace or per project.
3541 ** Allow the user to view all available analyses even though he has no imported traces.
3542 ** Allow the user to generate traces for a given analysis, or generate a template to generate the trace that can be sent as parameter to the tracer.
3543 ** Give the user a visual status of the analysis: not executed, in progress, completed, error.
3544 ** Give a small screenshot of the output as icon for it.
3545 ** Allow to specify parameter values from the GUI.
3546 * Add the possibility for an analysis requirement to be composed of another requirement.
3547 * Generate a trace session from analysis requirements.
3548
3549 = TMF Remote API =
3550 The TMF remote API is based on the remote services implementation of the Eclipse PTP project. It comes with a built-in SSH implementation based JSch as well as with support for a local connection. The purpose of this API is to provide a programming interface to the PTP remote services implementation for connection handling, command-line execution and file transfer handling. It provides utility functions to simplify repetitive tasks.
3551
3552 The TMF Remote API can be used for remote trace control, fetching of traces from a remote host into the Eclipse Tracing project or uploading files to the remote host. For example, the LTTng tracer control feature uses the TMF remote API to control an LTTng host remotely and to download corresponding traces.
3553
3554 In the following chapters the relevant classes and features of the TMF remote API is described.
3555
3556 == Prerequisites ==
3557
3558 To use the TMF remote API one has to add the relevant plug-in dependencies to a plug-in project. To create a plug-in project see chapter [[#Creating an Eclipse UI Plug-in]].
3559
3560 To add plug-in dependencies double-click on the MANIFEST.MF file. 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.tracecompass.tmf.remote.core'' and press '''OK'''. Follow the same steps, add ''org.eclipse.remote.core''. If UI elements are needed in the plug-in also add ''org.eclipse.tracecompass.tmf.remote.ui'' and ''org.eclipse.remote.ui''.
3561
3562 == TmfRemoteConnectionFactory ==
3563 This class is a utility class for creating ''IRemoteConnection'' instances of PTP programatically. It also provides access methods to the OSGI remote services of PTP.
3564
3565 === Accessing the remote services manager (OSGI service) ===
3566 The main entry point into the PTP remote services system is the ''IRemoteServicesManager'' OSGI service. It provides a list of connection types and the global list of all connections.
3567
3568 To access an OSGI service, use the method '''getService()''' of the '''TmfRemoteConnectionFactory''' class:
3569
3570 <pre>
3571 IRemoteServicesManager manager = TmfRemoteConnectionFactory.getService(IRemoteServicesManager.class);
3572 </pre>
3573
3574 === Obtaining a IRemoteConnection ===
3575 To obtain an '''IRemoteConnection''' instance use the method '''TmfRemoteConnectionFactory.getRemoteConnection(String remoteServicesId, String name)''', where ''remoteServicesId'' is the ID of service ID for the connection, and ''name'' the name of the connection. For built-in SSH the ''remoteServicesId'' is "org.eclipse.remote.JSch".
3576
3577 <pre>
3578 IRemoteConnection connection = TmfRemoteConnectionFactory.getRemoteConnection("org.eclipse.remote.JSch", "My Connection");
3579 </pre>
3580
3581 Note that the connection needs to be created beforehand using the Remote Connection wizard implementation ('''Window -> Preferences -> Remote Development -> Remote Connection''') in the Eclipse application that executes this plug-in. For more information about creating connections using the Remote Connections feature of PTP refer to [http://help.eclipse.org/luna/index.jsp?topic=%2Forg.eclipse.ptp.doc.user%2Fhtml%2FremoteTools.html&anchor=remote link]. Alternatively it can be created programmatically using the corresponding API of TMF ([[#Creating an IRemoteConnection instance]]).
3582
3583 To obtain an '''IRemoteConnection''' instance use method '''TmfRemoteConnectionFactory.getLocalConnection()'''.
3584 <pre>
3585 IRemoteConnection connection = TmfRemoteConnectionFactory.getLocalConnection();
3586 </pre>
3587
3588 === Creating an IRemoteConnection instance ===
3589 It is possible to create an '''IRemoteConnection''' instance programmatically using the '''TmfRemoteConnectionFactory'''. Right now only build-in SSH or Local connection is supported.
3590
3591 To create an '''IRemoteConnection''' instance use the method '''createConnection(URI hostURI, String name)''' of class '''TmfRemoteConnectionFactory''', where ''hostURI'' is the URI of the remote connection, and ''name'' the name of the connection. For a built-in SSH use:
3592 <pre>
3593 import org.eclipse.remote.core.IRemoteConnection;
3594 ...
3595 try {
3596 URI hostUri = URIUtil.fromString("ssh://userID@127.0.0.1:22");
3597 IRemoteConnection connection = TmfRemoteConnectionFactory.createConnection(hostUri, "MyHost");
3598 } catch (URISyntaxException e) {
3599 return new Status(IStatus.ERROR, "my.plugin.id", "URI syntax error", e);
3600 } catch (RemoteConnectionException e) {
3601 return new Status(IStatus.ERROR, "my.plugin.id", "Connection cannot be created", e);
3602 }
3603 ...
3604 </pre>
3605
3606 Note that if a connection already exists with the given name then this connection will be returned.
3607
3608 === Providing a connection factory ===
3609 Right now only build-in SSH or Local connection of PTP is supported. If one wants to provide another connection factory with a different remote service implementation use the interface '''IConnectionFactory''' to implement a new connection factory class. Then, register the new factory to '''TmfRemoteConnectionFactory''' using method '''registerConnectionFactory(String connectionTypeId, IConnectionFactory factory)''', where ''connectionTypeId'' is a unique ID and ''factory'' is the corresponding connection factory implementation.
3610
3611 == RemoteSystemProxy ==
3612 The purpose of the RemoteSystemProxy is to handle the connection state of '''IRemoteConnection''' (connect/disconnect). Before opening a connection it checks if the connection had been open previously. If it was open, disconnecting the proxy will not close the connection. This is useful if multiple components using the same connection at the same time for different features (e.g. Tracer Control and remote fetching of traces) without impacting each other.
3613
3614 === Creating a RemoteSystemProxy ===
3615 Once one has an '''IRemoteConnection''' instance a '''RemoteSystemProxy''' can be constructed by:
3616 <pre>
3617 // Get local connection (for example)
3618 IRemoteConnection connection = TmfRemoteConnectionFactory.getLocalConnection();
3619 RemoteSystemProxy proxy = new RemoteSystemProxy(connection);
3620 </pre>
3621
3622 === Opening the remote connection ===
3623 To open the connection call method '''connect()''':
3624 <pre>
3625 proxy.connect();
3626 </pre>
3627
3628 This will open the connection. If the connection has been previously opened then it will immediately return.
3629
3630 === Closing the remote connection ===
3631 To close the connection call method '''disconnect()''':
3632 <pre>
3633 proxy.disconnect();
3634 </pre>
3635
3636 Note: This will close the connection if the connection was opened by this proxy. Otherwise it will stay open.
3637
3638 === Disposing the remote connection ===
3639 If a remote system proxy is not needed anymore the proxy instance needs to be disposed by calling method '''dispose()'''. This may close the connection if the connection was opened by this proxy. Otherwise it will stay open.
3640
3641 <pre>
3642 proxy.dispose();
3643 </pre>
3644
3645 === Checking the connection state ===
3646
3647 To check the connection state use method '''isConnected()''' of the '''RemoteSystemProxy''' class.
3648
3649 <pre>
3650 if (proxy.isConnected()) {
3651 // do something
3652 }
3653 </pre>
3654
3655
3656 === Retrieving the IRemoteConnection instance ===
3657 To retrieve the '''IRemoteConnection''' instance use the '''getRemoteConnection()''' method of the '''RemoteSystemProxy''' class. Using this instance relevant features of the remote connection implementation can be accessed, for example remote file service ('''IRemoteFileService''') or remote process service ('''IRemoteProcessService''').
3658
3659 <pre>
3660 import org.eclipse.remote.core.IRemoteConnection;
3661 import org.eclipse.remote.core.IRemoteFileService;
3662 ...
3663 IRemoteRemoteConnection connection = proxy.getRemoteConnection();
3664 IRemoteFileService fileService = connection.getService(IRemoteFileService.class);
3665 if (fileService != null) {
3666 // do something (e.g. download or upload a file)
3667 }
3668 </pre>
3669
3670 <pre>
3671 import org.eclipse.remote.core.IRemoteConnection;
3672 import org.eclipse.remote.core.IRemoteFileService;
3673 ...
3674 IRemoteRemoteConnection connection = proxy.getRemoteConnection();
3675 IRemoteFileService processService = connection.getService(IRemoteProcessService.class);
3676 if (processService != null) {
3677 // do something (e.g. execute command)
3678 }
3679 </pre>
3680
3681 === Obtaining a command shell ===
3682 The TMF remote API provides a Command shell implementation to execute remote command-line commands. To obtain a command-line shell use the RemoteSystemProxy.
3683
3684 <pre>
3685 import org.eclipse.remote.core.IRemoteConnection;
3686 import org.eclipse.remote.core.IRemoteFileService;
3687 import org.eclipse.tracecompass.tmf.remote.core.shell.ICommandShell
3688 ...
3689 ICommandShell shell = proxy.createCommandShell();
3690 ICommandInput command = fCommandShell.createCommand();
3691 command.add("ls");
3692 command.add("-l");
3693 ICommandResult result = shell.executeCommand(command, new NullProgressMonitor);
3694 System.out.println("Return value: " result.getResult());
3695 for (String line : result.getOutput()) {
3696 System.out.println(line);
3697 }
3698 for (String line : result.getErrorOutput()) {
3699 System.err.println(line);
3700 }
3701 shell.dispose();
3702 </pre>
3703
3704 Note that the shell needs to be disposed if not needed anymore.
3705
3706 Note for creating a command with parameters using the '''CommandInput''' class, add the command and each parameter separately instead of using one single String.
3707
3708 = Performance Tests =
3709
3710 Performance testing allows to calculate some metrics (CPU time, Memory Usage, etc) that some part of the code takes during its execution. These metrics can then be used as is for information on the system's execution, or they can be compared either with other execution scenarios, or previous runs of the same scenario, for instance, after some optimization has been done on the code.
3711
3712 For automatic performance metric computation, we use the ''org.eclipse.test.performance'' plugin, provided by the Eclipse Test Feature.
3713
3714 == Add performance tests ==
3715
3716 === Where ===
3717
3718 Performance tests are unit tests and they are added to the corresponding unit tests plugin. To separate performance tests from unit tests, a separate source folder, typically named ''perf'', is added to the plug-in.
3719
3720 Tests are to be added to a package under the ''perf'' directory, the package name would typically match the name of the package it is testing. For each package, a class named '''AllPerfTests''' would list all the performance tests classes inside this package. And like for unit tests, a class named '''AllPerfTests''' for the plug-in would list all the packages' '''AllPerfTests''' classes.
3721
3722 When adding performance tests for the first time in a plug-in, the plug-in's '''AllPerfTests''' class should be added to the global list of performance tests, found in package ''org.eclipse.tracecompass.alltests'', in class '''RunAllPerfTests'''. This will ensure that performance tests for the plug-in are run along with the other performance tests
3723
3724 === How ===
3725
3726 TMF is using the org.eclipse.test.performance framework for performance tests. Using this, performance metrics are automatically taken and, if many runs of the tests are run, average and standard deviation are automatically computed. Results can optionally be stored to a database for later use.
3727
3728 Here is an example of how to use the test framework in a performance test:
3729
3730 <pre>
3731 public class AnalysisBenchmark {
3732
3733 private static final String TEST_ID = "org.eclipse.linuxtools#LTTng kernel analysis";
3734 private static final CtfTmfTestTrace testTrace = CtfTmfTestTrace.TRACE2;
3735 private static final int LOOP_COUNT = 10;
3736
3737 /**
3738 * Performance test
3739 */
3740 @Test
3741 public void testTrace() {
3742 assumeTrue(testTrace.exists());
3743
3744 /** Create a new performance meter for this scenario */
3745 Performance perf = Performance.getDefault();
3746 PerformanceMeter pm = perf.createPerformanceMeter(TEST_ID);
3747
3748 /** Optionally, tag this test for summary or global summary on a given dimension */
3749 perf.tagAsSummary(pm, "LTTng Kernel Analysis", Dimension.CPU_TIME);
3750 perf.tagAsGlobalSummary(pm, "LTTng Kernel Analysis", Dimension.CPU_TIME);
3751
3752 /** The test will be run LOOP_COUNT times */
3753 for (int i = 0; i < LOOP_COUNT; i++) {
3754
3755 /** Start each run of the test with new objects to avoid different code paths */
3756 try (IAnalysisModule module = new KernelAnalysis();
3757 LttngKernelTrace trace = new LttngKernelTrace()) {
3758 module.setId("test");
3759 trace.initTrace(null, testTrace.getPath(), CtfTmfEvent.class);
3760 module.setTrace(trace);
3761
3762 /** The analysis execution is being tested, so performance metrics
3763 * are taken before and after the execution */
3764 pm.start();
3765 TmfTestHelper.executeAnalysis(module);
3766 pm.stop();
3767
3768 /*
3769 * Delete the supplementary files, so next iteration rebuilds
3770 * the state system.
3771 */
3772 File suppDir = new File(TmfTraceManager.getSupplementaryFileDir(trace));
3773 for (File file : suppDir.listFiles()) {
3774 file.delete();
3775 }
3776
3777 } catch (TmfAnalysisException | TmfTraceException e) {
3778 fail(e.getMessage());
3779 }
3780 }
3781
3782 /** Once the test has been run many times, committing the results will
3783 * calculate average, standard deviation, and, if configured, save the
3784 * data to a database */
3785 pm.commit();
3786 }
3787 }
3788
3789 </pre>
3790
3791 For more information, see [http://wiki.eclipse.org/Performance/Automated_Tests The Eclipse Performance Test How-to]
3792
3793 Some rules to help write performance tests are explained in section [[#ABC of performance testing | ABC of performance testing]].
3794
3795 === Run a performance test ===
3796
3797 Performance tests are unit tests, so, just like unit tests, they can be run by right-clicking on a performance test class and selecting ''Run As'' -> ''Junit Plug-in Test''.
3798
3799 By default, if no database has been configured, results will be displayed in the Console at the end of the test.
3800
3801 Here is the sample output from the test described in the previous section. It shows all the metrics that have been calculated during the test.
3802
3803 <pre>
3804 Scenario 'org.eclipse.linuxtools#LTTng kernel analysis' (average over 10 samples):
3805 System Time: 3.04s (95% in [2.77s, 3.3s]) Measurable effect: 464ms (1.3 SDs) (required sample size for an effect of 5% of mean: 94)
3806 Used Java Heap: -1.43M (95% in [-33.67M, 30.81M]) Measurable effect: 57.01M (1.3 SDs) (required sample size for an effect of 5% of stdev: 6401)
3807 Working Set: 14.43M (95% in [-966.01K, 29.81M]) Measurable effect: 27.19M (1.3 SDs) (required sample size for an effect of 5% of stdev: 6400)
3808 Elapsed Process: 3.04s (95% in [2.77s, 3.3s]) Measurable effect: 464ms (1.3 SDs) (required sample size for an effect of 5% of mean: 94)
3809 Kernel time: 621ms (95% in [586ms, 655ms]) Measurable effect: 60ms (1.3 SDs) (required sample size for an effect of 5% of mean: 39)
3810 CPU Time: 6.06s (95% in [5.02s, 7.09s]) Measurable effect: 1.83s (1.3 SDs) (required sample size for an effect of 5% of mean: 365)
3811 Hard Page Faults: 0 (95% in [0, 0]) Measurable effect: 0 (1.3 SDs) (required sample size for an effect of 5% of stdev: 6400)
3812 Soft Page Faults: 9.27K (95% in [3.28K, 15.27K]) Measurable effect: 10.6K (1.3 SDs) (required sample size for an effect of 5% of mean: 5224)
3813 Text Size: 0 (95% in [0, 0])
3814 Data Size: 0 (95% in [0, 0])
3815 Library Size: 32.5M (95% in [-12.69M, 77.69M]) Measurable effect: 79.91M (1.3 SDs) (required sample size for an effect of 5% of stdev: 6401)
3816 </pre>
3817
3818 Results from performance tests can be saved automatically to a derby database. Derby can be run either in embedded mode, locally on a machine, or on a server. More information on setting up derby for performance tests can be found here: [http://wiki.eclipse.org/Performance/Automated_Tests The Eclipse Performance Test How-to]. The following documentation will show how to configure an Eclipse run configuration to store results on a derby database located on a server.
3819
3820 Note that to store results in a derby database, the ''org.apache.derby'' plug-in must be available within your Eclipse. Since it is an optional dependency, it is not included in the target definition. It can be installed via the '''Orbit''' repository, in ''Help'' -> ''Install new software...''. If the '''Orbit''' repository is not listed, click on the latest one from [http://download.eclipse.org/tools/orbit/downloads/] and copy the link under ''Orbit Build Repository''.
3821
3822 To store the data to a database, it needs to be configured in the run configuration. In ''Run'' -> ''Run configurations..'', under ''Junit Plug-in Test'', find the run configuration that corresponds to the test you wish to run, or create one if it is not present yet.
3823
3824 In the ''Arguments'' tab, in the box under ''VM Arguments'', add on separate lines the following information
3825
3826 <pre>
3827 -Declipse.perf.dbloc=//javaderby.dorsal.polymtl.ca
3828 -Declipse.perf.config=build=mybuild;host=myhost;config=linux;jvm=1.7
3829 </pre>
3830
3831 The ''eclipse.perf.dbloc'' parameter is the url (or filename) of the derby database. The database is by default named ''perfDB'', with username and password ''guest''/''guest''. If the database does not exist, it will be created, initialized and populated.
3832
3833 The ''eclipse.perf.config'' parameter identifies a '''variation''': It typically identifies the build on which is it run (commitId and/or build date, etc), the machine (host) on which it is run, the configuration of the system (for example Linux or Windows), the jvm etc. That parameter is a list of ';' separated key-value pairs. To be backward-compatible with the Eclipse Performance Tests Framework, the 4 keys mentioned above are mandatory, but any key-value pairs can be used.
3834
3835 == ABC of performance testing ==
3836
3837 Here follow some rules to help design good and meaningful performance tests.
3838
3839 === Determine what to test ===
3840
3841 For tests to be significant, it is important to choose what exactly is to be tested and make sure it is reproducible every run. To limit the amount of noise caused by the TMF framework, the performance test code should be tweaked so that only the method under test is run. For instance, a trace should not be "opened" (by calling the ''traceOpened()'' method) to test an analysis, since the ''traceOpened'' method will also trigger the indexing and the execution of all applicable automatic analysis.
3842
3843 For each code path to test, multiple scenarios can be defined. For instance, an analysis could be run on different traces, with different sizes. The results will show how the system scales and/or varies depending on the objects it is executed on.
3844
3845 The number of '''samples''' used to compute the results is also important. The code to test will typically be inside a '''for''' loop that runs exactly the same code each time for a given number of times. All objects used for the test must start in the same state at each iteration of the loop. For instance, any trace used during an execution should be disposed of at the end of the loop, and any supplementary file that may have been generated in the run should be deleted.
3846
3847 Before submitting a performance test to the code review, you should run it a few times (with results in the Console) and see if the standard deviation is not too large and if the results are reproducible.
3848
3849 === Metrics descriptions and considerations ===
3850
3851 CPU time: CPU time represent the total time spent on CPU by the current process, for the time of the test execution. It is the sum of the time spent by all threads. On one hand, it is more significant than the elapsed time, since it should be the same no matter how many CPU cores the computer has. But since it calculates the time of every thread, one has to make sure that only threads related to what is being tested are executed during that time, or else the results will include the times of those other threads. For an application like TMF, it is hard to control all the threads, and empirically, it is found to vary a lot more than the system time from one run to the other.
3852
3853 System time (Elapsed time): The time between the start and the end of the execution. It will vary depending on the parallelization of the threads and the load of the machine.
3854
3855 Kernel time: Time spent in kernel mode
3856
3857 Used Java Heap: It is the difference between the memory used at the beginning of the execution and at the end. This metric may be useful to calculate the overall size occupied by the data generated by the test run, by forcing a garbage collection before taking the metrics at the beginning and at the end of the execution. But it will not show the memory used throughout the execution. There can be a large standard deviation. The reason for this is that when benchmarking methods that trigger tasks in different threads, like signals and/or analysis, these other threads might be in various states at each run of the test, which will impact the memory usage calculated. When using this metric, either make sure the method to test does not trigger external threads or make sure you wait for them to finish.
3858
3859 = Network Tracing =
3860
3861 == Adding a protocol ==
3862
3863 Supporting a new network protocol in TMF is straightforward. Minimal effort is required to support new protocols. In this tutorial, the UDP protocol will be added to the list of supported protocols.
3864
3865 === Architecture ===
3866
3867 All the TMF pcap-related code is divided in three projects (not considering the tests plugins):
3868 * '''org.eclipse.tracecompass.pcap.core''', which contains the parser that will read pcap files and constructs the different packets from a ByteBuffer. It also contains means to build packet streams, which are conversation (list of packets) between two endpoints. To add a protocol, almost all of the work will be in that project.
3869 * '''org.eclipse.tracecompass.tmf.pcap.core''', which contains TMF-specific concepts and act as a wrapper between TMF and the pcap parsing library. It only depends on org.eclipse.tracecompass.tmf.core and org.eclipse.tracecompass.pcap.core. To add a protocol, one file must be edited in this project.
3870 * '''org.eclipse.tracecompass.tmf.pcap.ui''', which contains all TMF pcap UI-specific concepts, such as the views and perspectives. No work is needed in that project.
3871
3872 === UDP Packet Structure ===
3873
3874 The UDP is a transport-layer protocol that does not guarantee message delivery nor in-order message reception. A UDP packet (datagram) has the following [http://en.wikipedia.org/wiki/User_Datagram_Protocol#Packet_structure structure]:
3875
3876 {| class="wikitable" style="margin: 0 auto; text-align: center;"
3877 |-
3878 ! style="border-bottom:none; border-right:none;"| ''Offsets''
3879 ! style="border-left:none;"| Octet
3880 ! colspan="8" | 0
3881 ! colspan="8" | 1
3882 ! colspan="8" | 2
3883 ! colspan="8" | 3
3884 |-
3885 ! style="border-top: none" | Octet
3886 ! <tt>Bit</tt>!!<tt>&nbsp;0</tt>!!<tt>&nbsp;1</tt>!!<tt>&nbsp;2</tt>!!<tt>&nbsp;3</tt>!!<tt>&nbsp;4</tt>!!<tt>&nbsp;5</tt>!!<tt>&nbsp;6</tt>!!<tt>&nbsp;7</tt>!!<tt>&nbsp;8</tt>!!<tt>&nbsp;9</tt>!!<tt>10</tt>!!<tt>11</tt>!!<tt>12</tt>!!<tt>13</tt>!!<tt>14</tt>!!<tt>15</tt>!!<tt>16</tt>!!<tt>17</tt>!!<tt>18</tt>!!<tt>19</tt>!!<tt>20</tt>!!<tt>21</tt>!!<tt>22</tt>!!<tt>23</tt>!!<tt>24</tt>!!<tt>25</tt>!!<tt>26</tt>!!<tt>27</tt>!!<tt>28</tt>!!<tt>29</tt>!!<tt>30</tt>!!<tt>31</tt>
3887 |-
3888 ! 0
3889 !<tt> 0</tt>
3890 | colspan="16" style="background:#fdd;"| Source port || colspan="16"| Destination port
3891 |-
3892 ! 4
3893 !<tt>32</tt>
3894 | colspan="16"| Length || colspan="16" style="background:#fdd;"| Checksum
3895 |}
3896
3897 Knowing that, we can define an UDPPacket class that contains those fields.
3898
3899 === Creating the UDPPacket ===
3900
3901 First, in org.eclipse.tracecompass.pcap.core, create a new package named '''org.eclipse.tracecompass.pcap.core.protocol.name''' with name being the name of the new protocol. In our case name is udp so we create the package '''org.eclipse.tracecompass.pcap.core.protocol.udp'''. All our work is going in this package.
3902
3903 In this package, we create a new class named UDPPacket that extends Packet. All new protocol must define a packet type that extends the abstract class Packet. We also add different fields:
3904 * ''Packet'' '''fChildPacket''', which is the packet encapsulated by this UDP packet, if it exists. This field will be initialized by findChildPacket().
3905 * ''ByteBuffer'' '''fPayload''', which is the payload of this packet. Basically, it is the UDP packet without its header.
3906 * ''int'' '''fSourcePort''', which is an unsigned 16-bits field, that contains the source port of the packet (see packet structure).
3907 * ''int'' '''fDestinationPort''', which is an unsigned 16-bits field, that contains the destination port of the packet (see packet structure).
3908 * ''int'' '''fTotalLength''', which is an unsigned 16-bits field, that contains the total length (header + payload) of the packet.
3909 * ''int'' '''fChecksum''', which is an unsigned 16-bits field, that contains a checksum to verify the integrity of the data.
3910 * ''UDPEndpoint'' '''fSourceEndpoint''', which contains the source endpoint of the UDPPacket. The UDPEndpoint class will be created later in this tutorial.
3911 * ''UDPEndpoint'' '''fDestinationEndpoint''', which contains the destination endpoint of the UDPPacket.
3912 * ''ImmutableMap<String, String>'' '''fFields''', which is a map that contains all the packet fields (see in data structure) which assign a field name with its value. Those values will be displayed on the UI.
3913
3914 We also create the UDPPacket(PcapFile file, @Nullable Packet parent, ByteBuffer packet) constructor. The parameters are:
3915 * ''PcapFile'' '''file''', which is the pcap file to which this packet belongs.
3916 * ''Packet'' '''parent''', which is the packet encasulating this UDPPacket
3917 * ''ByteBuffer'' '''packet''', which is a ByteBuffer that contains all the data necessary to initialize the fields of this UDPPacket. We will retrieve bytes from it during object construction.
3918
3919 The following class is obtained:
3920
3921 <pre>
3922 package org.eclipse.tracecompass.pcap.core.protocol.udp;
3923
3924 import java.nio.ByteBuffer;
3925 import java.util.Map;
3926
3927 import org.eclipse.tracecompass.internal.pcap.core.endpoint.ProtocolEndpoint;
3928 import org.eclipse.tracecompass.internal.pcap.core.packet.BadPacketException;
3929 import org.eclipse.tracecompass.internal.pcap.core.packet.Packet;
3930
3931 public class UDPPacket extends Packet {
3932
3933 private final @Nullable Packet fChildPacket;
3934 private final @Nullable ByteBuffer fPayload;
3935
3936 private final int fSourcePort;
3937 private final int fDestinationPort;
3938 private final int fTotalLength;
3939 private final int fChecksum;
3940
3941 private @Nullable UDPEndpoint fSourceEndpoint;
3942 private @Nullable UDPEndpoint fDestinationEndpoint;
3943
3944 private @Nullable ImmutableMap<String, String> fFields;
3945
3946 /**
3947 * Constructor of the UDP Packet class.
3948 *
3949 * @param file
3950 * The file that contains this packet.
3951 * @param parent
3952 * The parent packet of this packet (the encapsulating packet).
3953 * @param packet
3954 * The entire packet (header and payload).
3955 * @throws BadPacketException
3956 * Thrown when the packet is erroneous.
3957 */
3958 public UDPPacket(PcapFile file, @Nullable Packet parent, ByteBuffer packet) throws BadPacketException {
3959 super(file, parent, PcapProtocol.UDP);
3960 // TODO Auto-generated constructor stub
3961 }
3962
3963
3964 @Override
3965 public Packet getChildPacket() {
3966 // TODO Auto-generated method stub
3967 return null;
3968 }
3969
3970 @Override
3971 public ByteBuffer getPayload() {
3972 // TODO Auto-generated method stub
3973 return null;
3974 }
3975
3976 @Override
3977 public boolean validate() {
3978 // TODO Auto-generated method stub
3979 return false;
3980 }
3981
3982 @Override
3983 protected Packet findChildPacket() throws BadPacketException {
3984 // TODO Auto-generated method stub
3985 return null;
3986 }
3987
3988 @Override
3989 public ProtocolEndpoint getSourceEndpoint() {
3990 // TODO Auto-generated method stub
3991 return null;
3992 }
3993
3994 @Override
3995 public ProtocolEndpoint getDestinationEndpoint() {
3996 // TODO Auto-generated method stub
3997 return null;
3998 }
3999
4000 @Override
4001 public Map<String, String> getFields() {
4002 // TODO Auto-generated method stub
4003 return null;
4004 }
4005
4006 @Override
4007 public String getLocalSummaryString() {
4008 // TODO Auto-generated method stub
4009 return null;
4010 }
4011
4012 @Override
4013 protected String getSignificationString() {
4014 // TODO Auto-generated method stub
4015 return null;
4016 }
4017
4018 @Override
4019 public boolean equals(Object obj) {
4020 // TODO Auto-generated method stub
4021 return false;
4022 }
4023
4024 @Override
4025 public int hashCode() {
4026 // TODO Auto-generated method stub
4027 return 0;
4028 }
4029
4030 }
4031 </pre>
4032
4033 Now, we implement the constructor. It is done in four steps:
4034 * We initialize fSourceEndpoint, fDestinationEndpoint and fFields to null, since those are lazy-loaded. This allows faster construction of the packet and thus faster parsing.
4035 * We initialize fSourcePort, fDestinationPort, fTotalLength, fChecksum using ByteBuffer packet. Thanks to the packet data structure, we can simply retrieve packet.getShort() to get the value. Since there is no unsigned in Java, special care is taken to avoid negative number. We use the utility method ConversionHelper.unsignedShortToInt() to convert it to an integer, and initialize the fields.
4036 * Now that the header is parsed, we take the rest of the ByteBuffer packet to initialize the payload, if there is one. To do this, we simply generate a new ByteBuffer starting from the current position.
4037 * We initialize the field fChildPacket using the method findChildPacket()
4038
4039 The following constructor is obtained:
4040 <pre>
4041 public UDPPacket(PcapFile file, @Nullable Packet parent, ByteBuffer packet) throws BadPacketException {
4042 super(file, parent, Protocol.UDP);
4043
4044 // The endpoints and fFields are lazy loaded. They are defined in the get*Endpoint()
4045 // methods.
4046 fSourceEndpoint = null;
4047 fDestinationEndpoint = null;
4048 fFields = null;
4049
4050 // Initialize the fields from the ByteBuffer
4051 packet.order(ByteOrder.BIG_ENDIAN);
4052 packet.position(0);
4053
4054 fSourcePort = ConversionHelper.unsignedShortToInt(packet.getShort());
4055 fDestinationPort = ConversionHelper.unsignedShortToInt(packet.getShort());
4056 fTotalLength = ConversionHelper.unsignedShortToInt(packet.getShort());
4057 fChecksum = ConversionHelper.unsignedShortToInt(packet.getShort());
4058
4059 // Initialize the payload
4060 if (packet.array().length - packet.position() > 0) {
4061 byte[] array = new byte[packet.array().length - packet.position()];
4062 packet.get(array);
4063
4064 ByteBuffer payload = ByteBuffer.wrap(array);
4065 payload.order(ByteOrder.BIG_ENDIAN);
4066 payload.position(0);
4067 fPayload = payload;
4068 } else {
4069 fPayload = null;
4070 }
4071
4072 // Find child
4073 fChildPacket = findChildPacket();
4074
4075 }
4076 </pre>
4077
4078 Then, we implement the following methods:
4079 * ''public Packet'' '''getChildPacket()''': simple getter of fChildPacket
4080 * ''public ByteBuffer'' '''getPayload()''': simple getter of fPayload
4081 * ''public boolean'' '''validate()''': method that checks if the packet is valid. In our case, the packet is valid if the retrieved checksum fChecksum and the real checksum (that we can compute using the fields and payload of UDPPacket) are the same.
4082 * ''protected Packet'' '''findChildPacket()''': method that create a new packet if a encapsulated protocol is found. For instance, based on the fDestinationPort, it could determine what the encapsulated protocol is and creates a new packet object.
4083 * ''public ProtocolEndpoint'' '''getSourceEndpoint()''': method that initializes and returns the source endpoint.
4084 * ''public ProtocolEndpoint'' '''getDestinationEndpoint()''': method that initializes and returns the destination endpoint.
4085 * ''public Map<String, String>'' '''getFields()''': method that initializes and returns the map containing the fields matched to their value.
4086 * ''public String'' '''getLocalSummaryString()''': method that returns a string summarizing the most important fields of the packet. There is no need to list all the fields, just the most important one. This will be displayed on UI.
4087 * ''protected String'' '''getSignificationString()''': method that returns a string describing the meaning of the packet. If there is no particular meaning, it is possible to return getLocalSummaryString().
4088 * public boolean'' '''equals(Object obj)''': Object's equals method.
4089 * public int'' '''hashCode()''': Object's hashCode method.
4090
4091 We get the following code:
4092 <pre>
4093 @Override
4094 public @Nullable Packet getChildPacket() {
4095 return fChildPacket;
4096 }
4097
4098 @Override
4099 public @Nullable ByteBuffer getPayload() {
4100 return fPayload;
4101 }
4102
4103 /**
4104 * Getter method that returns the UDP Source Port.
4105 *
4106 * @return The source Port.
4107 */
4108 public int getSourcePort() {
4109 return fSourcePort;
4110 }
4111
4112 /**
4113 * Getter method that returns the UDP Destination Port.
4114 *
4115 * @return The destination Port.
4116 */
4117 public int getDestinationPort() {
4118 return fDestinationPort;
4119 }
4120
4121 /**
4122 * {@inheritDoc}
4123 *
4124 * See http://www.iana.org/assignments/service-names-port-numbers/service-
4125 * names-port-numbers.xhtml or
4126 * http://en.wikipedia.org/wiki/List_of_TCP_and_UDP_port_numbers
4127 */
4128 @Override
4129 protected @Nullable Packet findChildPacket() throws BadPacketException {
4130 // When more protocols are implemented, we can simply do a switch on the fDestinationPort field to find the child packet.
4131 // For instance, if the destination port is 80, then chances are the HTTP protocol is encapsulated. We can create a new HTTP
4132 // packet (after some verification that it is indeed the HTTP protocol).
4133 ByteBuffer payload = fPayload;
4134 if (payload == null) {
4135 return null;
4136 }
4137
4138 return new UnknownPacket(getPcapFile(), this, payload);
4139 }
4140
4141 @Override
4142 public boolean validate() {
4143 // Not yet implemented. ATM, we consider that all packets are valid.
4144 // TODO Implement it. We can compute the real checksum and compare it to fChecksum.
4145 return true;
4146 }
4147
4148 @Override
4149 public UDPEndpoint getSourceEndpoint() {
4150 @Nullable
4151 UDPEndpoint endpoint = fSourceEndpoint;
4152 if (endpoint == null) {
4153 endpoint = new UDPEndpoint(this, true);
4154 }
4155 fSourceEndpoint = endpoint;
4156 return fSourceEndpoint;
4157 }
4158
4159 @Override
4160 public UDPEndpoint getDestinationEndpoint() {
4161 @Nullable UDPEndpoint endpoint = fDestinationEndpoint;
4162 if (endpoint == null) {
4163 endpoint = new UDPEndpoint(this, false);
4164 }
4165 fDestinationEndpoint = endpoint;
4166 return fDestinationEndpoint;
4167 }
4168
4169 @Override
4170 public Map<String, String> getFields() {
4171 ImmutableMap<String, String> map = fFields;
4172 if (map == null) {
4173 @SuppressWarnings("null")
4174 @NonNull ImmutableMap<String, String> newMap = ImmutableMap.<String, String> builder()
4175 .put("Source Port", String.valueOf(fSourcePort)) //$NON-NLS-1$
4176 .put("Destination Port", String.valueOf(fDestinationPort)) //$NON-NLS-1$
4177 .put("Length", String.valueOf(fTotalLength) + " bytes") //$NON-NLS-1$ //$NON-NLS-2$
4178 .put("Checksum", String.format("%s%04x", "0x", fChecksum)) //$NON-NLS-1$ //$NON-NLS-2$ //$NON-NLS-3$
4179 .build();
4180 fFields = newMap;
4181 return newMap;
4182 }
4183 return map;
4184 }
4185
4186 @Override
4187 public String getLocalSummaryString() {
4188 return "Src Port: " + fSourcePort + ", Dst Port: " + fDestinationPort; //$NON-NLS-1$ //$NON-NLS-2$
4189 }
4190
4191 @Override
4192 protected String getSignificationString() {
4193 return "Source Port: " + fSourcePort + ", Destination Port: " + fDestinationPort; //$NON-NLS-1$ //$NON-NLS-2$
4194 }
4195
4196 @Override
4197 public int hashCode() {
4198 final int prime = 31;
4199 int result = 1;
4200 result = prime * result + fChecksum;
4201 final Packet child = fChildPacket;
4202 if (child != null) {
4203 result = prime * result + child.hashCode();
4204 } else {
4205 result = prime * result;
4206 }
4207 result = prime * result + fDestinationPort;
4208 final ByteBuffer payload = fPayload;
4209 if (payload != null) {
4210 result = prime * result + payload.hashCode();
4211 } else {
4212 result = prime * result;
4213 }
4214 result = prime * result + fSourcePort;
4215 result = prime * result + fTotalLength;
4216 return result;
4217 }
4218
4219 @Override
4220 public boolean equals(@Nullable Object obj) {
4221 if (this == obj) {
4222 return true;
4223 }
4224 if (obj == null) {
4225 return false;
4226 }
4227 if (getClass() != obj.getClass()) {
4228 return false;
4229 }
4230 UDPPacket other = (UDPPacket) obj;
4231 if (fChecksum != other.fChecksum) {
4232 return false;
4233 }
4234 final Packet child = fChildPacket;
4235 if (child != null) {
4236 if (!child.equals(other.fChildPacket)) {
4237 return false;
4238 }
4239 } else {
4240 if (other.fChildPacket != null) {
4241 return false;
4242 }
4243 }
4244 if (fDestinationPort != other.fDestinationPort) {
4245 return false;
4246 }
4247 final ByteBuffer payload = fPayload;
4248 if (payload != null) {
4249 if (!payload.equals(other.fPayload)) {
4250 return false;
4251 }
4252 } else {
4253 if (other.fPayload != null) {
4254 return false;
4255 }
4256 }
4257 if (fSourcePort != other.fSourcePort) {
4258 return false;
4259 }
4260 if (fTotalLength != other.fTotalLength) {
4261 return false;
4262 }
4263 return true;
4264 }
4265 </pre>
4266
4267 The UDPPacket class is implemented. We now have the define the UDPEndpoint.
4268
4269 === Creating the UDPEndpoint ===
4270
4271 For the UDP protocol, an endpoint will be its source or its destination port, depending if it is the source endpoint or destination endpoint. Knowing that, we can create our UDPEndpoint class.
4272
4273 We create in our package a new class named UDPEndpoint that extends ProtocolEndpoint. We also add a field: fPort, which contains the source or destination port. We finally add a constructor public ExampleEndpoint(Packet packet, boolean isSourceEndpoint):
4274 * ''Packet'' '''packet''': the packet to build the endpoint from.
4275 * ''boolean'' '''isSourceEndpoint''': whether the endpoint is the source endpoint or destination endpoint.
4276
4277 We obtain the following unimplemented class:
4278
4279 <pre>
4280 package org.eclipse.tracecompass.pcap.core.protocol.udp;
4281
4282 import org.eclipse.tracecompass.internal.pcap.core.endpoint.ProtocolEndpoint;
4283 import org.eclipse.tracecompass.internal.pcap.core.packet.Packet;
4284
4285 public class UDPEndpoint extends ProtocolEndpoint {
4286
4287 private final int fPort;
4288
4289 public UDPEndpoint(Packet packet, boolean isSourceEndpoint) {
4290 super(packet, isSourceEndpoint);
4291 // TODO Auto-generated constructor stub
4292 }
4293
4294 @Override
4295 public int hashCode() {
4296 // TODO Auto-generated method stub
4297 return 0;
4298 }
4299
4300 @Override
4301 public boolean equals(Object obj) {
4302 // TODO Auto-generated method stub
4303 return false;
4304 }
4305
4306 @Override
4307 public String toString() {
4308 // TODO Auto-generated method stub
4309 return null;
4310 }
4311
4312 }
4313 </pre>
4314
4315 For the constructor, we simply initialize fPort. If isSourceEndpoint is true, then we take packet.getSourcePort(), else we take packet.getDestinationPort().
4316
4317 <pre>
4318 /**
4319 * Constructor of the {@link UDPEndpoint} class. It takes a packet to get
4320 * its endpoint. Since every packet has two endpoints (source and
4321 * destination), the isSourceEndpoint parameter is used to specify which
4322 * endpoint to take.
4323 *
4324 * @param packet
4325 * The packet that contains the endpoints.
4326 * @param isSourceEndpoint
4327 * Whether to take the source or the destination endpoint of the
4328 * packet.
4329 */
4330 public UDPEndpoint(UDPPacket packet, boolean isSourceEndpoint) {
4331 super(packet, isSourceEndpoint);
4332 fPort = isSourceEndpoint ? packet.getSourcePort() : packet.getDestinationPort();
4333 }
4334 </pre>
4335
4336 Then we implement the methods:
4337 * ''public int'' '''hashCode()''': method that returns an integer based on the fields value. In our case, it will return an integer depending on fPort, and the parent endpoint that we can retrieve with getParentEndpoint().
4338 * ''public boolean'' '''equals(Object obj)''': method that returns true if two objects are equals. In our case, two UDPEndpoints are equal if they both have the same fPort and have the same parent endpoint that we can retrieve with getParentEndpoint().
4339 * ''public String'' '''toString()''': method that returns a description of the UDPEndpoint as a string. In our case, it will be a concatenation of the string of the parent endpoint and fPort as a string.
4340
4341 <pre>
4342 @Override
4343 public int hashCode() {
4344 final int prime = 31;
4345 int result = 1;
4346 ProtocolEndpoint endpoint = getParentEndpoint();
4347 if (endpoint == null) {
4348 result = 0;
4349 } else {
4350 result = endpoint.hashCode();
4351 }
4352 result = prime * result + fPort;
4353 return result;
4354 }
4355
4356 @Override
4357 public boolean equals(@Nullable Object obj) {
4358 if (this == obj) {
4359 return true;
4360 }
4361 if (!(obj instanceof UDPEndpoint)) {
4362 return false;
4363 }
4364
4365 UDPEndpoint other = (UDPEndpoint) obj;
4366
4367 // Check on layer
4368 boolean localEquals = (fPort == other.fPort);
4369 if (!localEquals) {
4370 return false;
4371 }
4372
4373 // Check above layers.
4374 ProtocolEndpoint endpoint = getParentEndpoint();
4375 if (endpoint != null) {
4376 return endpoint.equals(other.getParentEndpoint());
4377 }
4378 return true;
4379 }
4380
4381 @Override
4382 public String toString() {
4383 ProtocolEndpoint endpoint = getParentEndpoint();
4384 if (endpoint == null) {
4385 @SuppressWarnings("null")
4386 @NonNull String ret = String.valueOf(fPort);
4387 return ret;
4388 }
4389 return endpoint.toString() + '/' + fPort;
4390 }
4391 </pre>
4392
4393 === Registering the UDP protocol ===
4394
4395 The last step is to register the new protocol. There are three places where the protocol has to be registered. First, the parser has to know that a new protocol has been added. This is defined in the enum org.eclipse.tracecompass.internal.pcap.core.protocol.PcapProtocol. Simply add the protocol name here, along with a few arguments:
4396 * ''String'' '''longname''', which is the long version of name of the protocol. In our case, it is "User Datagram Protocol".
4397 * ''String'' '''shortName''', which is the shortened name of the protocol. In our case, it is "UDP".
4398 * ''Layer'' '''layer''', which is the layer to which the protocol belongs in the OSI model. In our case, this is the layer 4.
4399 * ''boolean'' '''supportsStream''', which defines whether or not the protocol supports packet streams. In our case, this is set to true.
4400
4401 Thus, the following line is added in the PcapProtocol enum:
4402 <pre>
4403 UDP("User Datagram Protocol", "udp", Layer.LAYER_4, true),
4404 </pre>
4405
4406 Also, TMF has to know about the new protocol. This is defined in org.eclipse.tracecompass.internal.tmf.pcap.core.protocol.TmfPcapProtocol. We simply add it, with a reference to the corresponding protocol in PcapProtocol. Thus, the following line is added in the TmfPcapProtocol enum:
4407 <pre>
4408 UDP(PcapProtocol.UDP),
4409 </pre>
4410
4411 You will also have to update the ''ProtocolConversion'' class to register the protocol in the switch statements. Thus, for UDP, we add:
4412 <pre>
4413 case UDP:
4414 return TmfPcapProtocol.UDP;
4415 </pre>
4416 and
4417 <pre>
4418 case UDP:
4419 return PcapProtocol.UDP;
4420 </pre>
4421
4422 Finally, all the protocols that could be the parent of the new protocol (in our case, IPv4 and IPv6) have to be notified of the new protocol. This is done by modifying the findChildPacket() method of the packet class of those protocols. For instance, in IPv4Packet, we add a case in the switch statement of findChildPacket, if the Protocol number matches UDP's protocol number at the network layer:
4423 <pre>
4424 @Override
4425 protected @Nullable Packet findChildPacket() throws BadPacketException {
4426 ByteBuffer payload = fPayload;
4427 if (payload == null) {
4428 return null;
4429 }
4430
4431 switch (fIpDatagramProtocol) {
4432 case IPProtocolNumberHelper.PROTOCOL_NUMBER_TCP:
4433 return new TCPPacket(getPcapFile(), this, payload);
4434 case IPProtocolNumberHelper.PROTOCOL_NUMBER_UDP:
4435 return new UDPPacket(getPcapFile(), this, payload);
4436 default:
4437 return new UnknownPacket(getPcapFile(), this, payload);
4438 }
4439 }
4440 </pre>
4441
4442 The new protocol has been added. Running TMF should work just fine, and the new protocol is now recognized.
4443
4444 == Adding stream-based views ==
4445
4446 To add a stream-based View, simply monitor the TmfPacketStreamSelectedSignal in your view. It contains the new stream that you can retrieve with signal.getStream(). You must then make an event request to the current trace to get the events, and use the stream to filter the events of interest. Therefore, you must also monitor TmfTraceOpenedSignal, TmfTraceClosedSignal and TmfTraceSelectedSignal. Examples of stream-based views include a view that represents the packets as a sequence diagram, or that shows the TCP connection state based on the packets SYN/ACK/FIN/RST flags. A (very very very early) draft of such a view can be found at https://git.eclipse.org/r/#/c/31054/.
4447
4448 == TODO ==
4449
4450 * Add more protocols. At the moment, only four protocols are supported. The following protocols would need to be implemented: ARP, SLL, WLAN, USB, IPv6, ICMP, ICMPv6, IGMP, IGMPv6, SCTP, DNS, FTP, HTTP, RTP, SIP, SSH and Telnet. Other VoIP protocols would be nice.
4451 * Add a network graph view. It would be useful to produce graphs that are meaningful to network engineers, and that they could use (for presentation purpose, for instance). We could use the XML-based analysis to do that!
4452 * Add a Stream Diagram view. This view would represent a stream as a Sequence Diagram. It would be updated when a TmfNewPacketStreamSignal is thrown. It would be easy to see the packet exchange and the time delta between each packet. Also, when a packet is selected in the Stream Diagram, it should be selected in the event table and its content should be shown in the Properties View. See https://git.eclipse.org/r/#/c/31054/ for a draft of such a view.
4453 * Make adding protocol more "plugin-ish", via extension points for instance. This would make it easier to support new protocols, without modifying the source code.
4454 * Control dumpcap directly from eclipse, similar to how LTTng is controlled in the Control View.
4455 * Support pcapng. See: http://www.winpcap.org/ntar/draft/PCAP-DumpFileFormat.html for the file format.
4456 * Add SWTBOT tests to org.eclipse.tracecompass.tmf.pcap.ui
4457 * Add a Raw Viewer, similar to Wireshark. We could use the “Show Raw” in the event editor to do that.
4458 * Externalize strings in org.eclipse.tracecompass.pcap.core. At the moment, all the strings are hardcoded. It would be good to externalize them all.
4459
4460 = Markers =
4461
4462 Markers are annotations that are defined with a time range, a color, a category and an optional label. The markers are displayed in the time graph of any view that extends ''AbstractTimeGraphView''. The markers are drawn as a line or a region (in case the time range duration is not zero) of the given color, which can have an alpha value to use transparency. The markers can be drawn in the foreground (above time graph states) or in the background (below time graph states). An optional label can be drawn in the the time scale area.
4463
4464 The developer can add trace-specific markers and/or view-specific markers.
4465
4466 == Trace-specific markers ==
4467
4468 Trace-specific markers can be added by registering an ''IAdapterFactory'' with the TmfTraceAdapterManager. The adapter factory must provide adapters of the ''IMarkerEventSource'' class for a given ''ITmfTrace'' object. The adapter factory can be registered for traces of a certain class (which will include sub-classes of the given class) or it can be registered for traces of a certain trace type id (as defined in the ''org.eclipse.linuxtools.tmf.core.tracetype'' extension point).
4469
4470 The adapter factory can be registered in the ''Activator'' of the plug-in that introduces it, in the ''start()'' method, and unregistered in the ''stop()'' method.
4471
4472 It is recommended to extend the ''AbstractTmfTraceAdapterFactory'' class when creating the adapter factory. This will ensure that a single instance of the adapter is created for a specific trace and reused by all components that need the adapter, and that the adapter is disposed when the trace is closed.
4473
4474 The adapter implementing the ''IMarkerEventSource'' interface must provide two methods:
4475
4476 * ''getMarkerCategories()'' returns a list of category names which will be displayed to the user, who can then enable or disable markers on a per-category basis.
4477
4478 * ''getMarkerList()'' returns a list of markers instances of class ''IMarkerEvent'' for the given category and time range. The resolution can be used to limit the number of markers returned for the current zoom level, and the progress monitor can be checked for early cancellation of the marker computation.
4479
4480 The trace-specific markers for a particular trace will appear in all views extending ''AbstractTimeGraphView'' when that trace (or an experiment containing that trace) is selected.
4481
4482 An example of a trace-specific markers implementation can be seen by examining classes ''LostEventsMarkerEventSourceFactory'', ''LostEventsMarkerEventSource'' and ''Activator'' in the ''org.eclipse.tracecompass.tmf.ui'' plug-in.
4483
4484 == View-specific markers ==
4485
4486 View-specific markers can by added in sub-classes of ''AbstractTimeGraphView'' by implementing the following two methods:
4487
4488 * ''getViewMarkerCategories()'' returns a list of category names which will be displayed to the user, who can then enable or disable markers on a per-category basis.
4489
4490 * ''getViewMarkerList()'' returns a list of markers instances of class ''IMarkerEvent'' for the given time range. The resolution can be used to limit the number of markers returned for the current zoom level, and the progress monitor can be checked for early cancellation of the marker computation.
4491
4492 = Virtual Machine Analysis =
4493
4494 Virtualized environment are becoming more popular and understanding them can be challenging as machines share resources (CPU, disks, memory, etc), but from their point of view, they are running on bare metal. Tracing all the machines (guests and hosts) in a virtualized environment allows information to be correlated between all the nodes to better understand the system. See the User documentation for more info on this analysis.
4495
4496 The virtual machine analysis has been implemented in the following plugins:
4497
4498 * '''org.eclipse.tracecompass.lttng2.kernel.core''' contains the virtual machine analysis itself, the model of the virtualized environment, as well as its implementation for different hypervisors.
4499 * '''org.eclipse.tracecompass.lttng2.kernel.ui''' contains the views for the analysis.
4500
4501 == Adding support for an hypervisor ==
4502
4503 Supporting a new hypervisor in Trace Compass requires implementing the model for this new hypervisor. The following sections will describe for each part of the model what has to be considered, what information we need to have, etc. Note that each hypervisor will require some work and investigation. The information might already be available as a single tracepoint for some, while other may require many tracepoints. It is also possible that some will require to add tracepoints, either to the kernel, or the hypervisor code itself, in which case a userspace trace (LTTng UST) might be necessary to get all the information.
4504
4505 === Virtual CPU analysis ===
4506
4507 This analysis tracks the state of the virtual CPUs in conjunction with the physical CPU it is running on. For this, we need the following information:
4508
4509 * A way to link a virtual CPU on a guest with a process on the host, such that it is possible to determine when the virtual CPU is preempted on the host. If trace data does not provide this information, some hypervisors have a command line option to dump that information. Manually feeding that information to the analysis is not supported now though.
4510 * A way to differentiate between hypervisor mode and normal mode for the virtual CPU. A virtual CPU usually runs within a process on the host, but sometimes that process may need to run hypervisor-specific code. That is called '''hypervisor mode'''. During that time, no code from the guest itself is run. Typically, the process is running on the host (not preempted), but from the guest's point of view, the virtual CPU should be preempted.
4511
4512 A model implementation for a new hypervisor will need to implement class '''IVirtualMachineModel''', that can be found in package '''org.eclipse.tracecompass.internal.lttng2.kernel.core.analysis.vm.model'''. See the javadoc in the class itself for more information on what each method does.
This page took 0.138999 seconds and 5 git commands to generate.