Movatterモバイル変換


[0]ホーム

URL:


Skip to content

Navigation Menu

Sign in
Appearance settings

Search code, repositories, users, issues, pull requests...

Provide feedback

We read every piece of feedback, and take your input very seriously.

Saved searches

Use saved searches to filter your results more quickly

Sign up
Appearance settings

A scientific charting library focused on performance optimised real-time data visualisation at 25 Hz update rates for data sets with a few 10 thousand up to 5 million data points.

License

NotificationsYou must be signed in to change notification settings

fair-acc/chart-fx

Folders and files

NameName
Last commit message
Last commit date

Latest commit

 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 

Join the chat at https://gitter.im/fair-acc/chartLicenseMaven Central

Lines of CodeMaintainability RatingCoverity Build Status

ChartFx banner

ChartFx is a scientific charting library developed atGSI for FAIR with focus on performance optimised real-time data visualisation at 25 Hz update rates for data sets with a few 10 thousand up to 5 million data points common in digital signal processing applications.Based on earlier Swing-based designs used at GSI and CERN, it is a re-write of JavaFX's defaultChart implementation and aims to preserve the feature-rich and extensible functionality of earlier and other similar Swing-based libraries while addressing the performance bottlenecks and API issues.The motivation for the re-design has been presented atIPAC'19 (paper,poster). You can see a recent presentation atJFX Dayshere.

ChartFx example

Example showing error-bar and error-surface representations, display of mock meta-data, `ChartPlugin` interactors and data parameter measurement indicators (here: '20%-80% rise-time' between 'Marker#0' and 'Marker#1').

Functionalities and Features

The library offers a wide variety of plot types common in the scientific signal processing field, a flexible plugin system as well as online parameter measurements commonly found in lab instrumentation. Some of its features include (see demos for more details):

  • DataSet: basic XY-type datasets, extendable byDataSetError to account for measurement uncertainties,DataSetMetaData,EditableDataSet,Histogram, orDataSet3D interfaces;
  • math sub-library: FFTs, Wavelet and other spectral and linear algebra routines, numerically robust integration and differentiation, IIR- & FIR-type filtering, linear regression and non-linear chi-square-type function fitting;
  • Chart: providing Euclidean, polar, or 2D projections of 3D data sets, and a configurable legend;
  • Axis: one or multiple axes that are linear, logarithmic, time-series, inverted, dynamic auto-(grow)-ranging, automatic range-based SI and time unit conversion;
  • Renderer: scatter-plot, poly-line, area-plot, error-bar and error-surfaces, vertical bar-plots, Bezier-curve, staircase, 1D/2D histograms, mountain-range display, true contour plots, heatmaps, fading DataSet history, labelled chart range and indicator marker, hexagon-map, meta data (i.e. for indicating common measurement errors, warnings or infos such as over- or under-ranging, device or configuration errors etc.);
  • ChartPlugin: data zoomer with history, zoom-to-origin, and option to limit this to X and/or Y coordinates, panner, data value and range indicators, cross-hair indicator, data point tool-tip,DataSet editing, table view, export to CSV and system clipboard, online axis editing, data set parameter measurement such as rise-time, min, max, rms, etc.

In order to provide some of the scenegraph-level functionality while using aCanvas as graphics backend, the functionality of each module was extended to be readily customized through direct API methods as well as through external CSS-type style sheets.

Example Usage

Add the library to your project

All chart-fx releases are deployed to maven central, for maven you can add it to your pom.xml like this:

<dependencies>  <dependency>    <groupId>io.fair-acc</groupId>    <artifactId>chartfx</artifactId>    <version>11.3.1</version>  </dependency></dependencies>

or your build.gradle like this:

implementation'io.fair-acc:chartfx:11.3.1'

To use different build systems or library versions, have a look at the snippets onmaven central.

While most users will need theio.fair-acc:chartfx artifact it is also possible to use the data containers fromio.fair-acc:datasetand the algorithms fromio.fair-acc:math independently without the quite heavy UI dependencies.

Using the snapshot repository

If you want to try out unreleased features from master or one of the feature branches, there is no need to download the source and build chart-fx yourself. You can just use the<branchname>-SNAPSHOT releases from the sonatype snapshot repository for example by adding the following to your pom.xml if you want to use the current master.All available snapshot releases can be found in thesonatype snapshot repository.

example pom.xml for current master (click to expand)
<dependencies>    <dependency>        <groupId>io.fair-acc.chartfx</groupId>        <artifactId>chartfx</artifactId>        <version>main-SNAPSHOT</version><!-- <version>main-20200320.180638-78</version> pin to a specific snapshot build-->    </dependency></dependencies><repositories>    <repository>        <id>oss.sonatype.org-snapshot</id>        <url>https://s01.oss.sonatype.org/content/repositories/snapshots</url>        <releases>            <enabled>false</enabled>        </releases>        <snapshots>            <enabled>true</enabled>        </snapshots>    </repository></repositories>

Code Example

The following minimal working example can be used as a boilerplate project to get started with chart-fx.

simple ChartFx example

The corresponding source code `ChartFxSample.java` (expand)
packagecom.example.chartfx;importio.fair_acc.chartfx.XYChart;importio.fair_acc.chartfx.axes.spi.DefaultNumericAxis;importio.fair_acc.dataset.spi.DoubleDataSet;importjavafx.application.Application;importjavafx.scene.Scene;importjavafx.scene.layout.StackPane;importjavafx.stage.Stage;publicclassSimpleChartSampleextendsApplication {privatestaticfinalintN_SAMPLES =100;@Overridepublicvoidstart(finalStageprimaryStage) {finalStackPaneroot =newStackPane();finalXYChartchart =newXYChart(newDefaultNumericAxis(),newDefaultNumericAxis());root.getChildren().add(chart);finalDoubleDataSetdataSet1 =newDoubleDataSet("data set #1");finalDoubleDataSetdataSet2 =newDoubleDataSet("data set #2");// lineChartPlot.getDatasets().add(dataSet1); // for single data setchart.getDatasets().addAll(dataSet1,dataSet2);// two data setsfinaldouble[]xValues =newdouble[N_SAMPLES];finaldouble[]yValues1 =newdouble[N_SAMPLES];finaldouble[]yValues2 =newdouble[N_SAMPLES];for (intn =0;n <N_SAMPLES;n++) {xValues[n] =n;yValues1[n] =Math.cos(Math.toRadians(10.0 *n));yValues2[n] =Math.sin(Math.toRadians(10.0 *n));        }dataSet1.set(xValues,yValues1);dataSet2.set(xValues,yValues2);finalScenescene =newScene(root,800,600);    }publicstaticvoidmain(finalString[]args) {Application.launch(args);    }}
And the corresponding build specification(expand)pom.xml:
<project><groupId>com.example.chartfx</groupId><artifactId>chartfx-sample</artifactId><name>chart-fx Sample</name><dependencies>  <dependency>    <groupId>io.fair-acc</groupId>    <artifactId>chartfx</artifactId>    <version>11.3.0</version>  </dependency>  <dependency>    <groupId>org.slf4j</groupId>    <artifactId>slf4j-simple</artifactId>    <version>2.0.9</version>  </dependency></dependencies></project>
run with (expand)
mvn compile installmvn exec:java

Examples

The chart-fx samples submodule contains a lot of samples which illustrate the capabilities and usage of the library.If you want to try them yourself run:

mvn compile installmvn exec:java
CategoryAxisSampleCategoryAxisSample.javaMultipleAxesSampleMultipleAxesSample.javaTimeAxisSampleTimeAxisSample.java
LogAxisSampleLogAxisSample.javaHistogramSampleHistogramSample.javaHistogram2DimSampleHistogram2DimSample.java
EditDataSetSampleEditDataSetSample.javaPolarPlotSamplePolarPlotSample.javaEditDataSampleMetaDataRendererSample.java
HistoryDataSetRendererSampleHistoryDataSetRendererSample.javaMountainRangeRendererSampleMountainRangeRendererSample.javaChartAnatomySampleChartAnatomySample.java
ErrorDataSetRendererStylingSample1ErrorDataSetRendererStylingSample.javaErrorDataSetRendererStylingSample2ErrorDataSetRendererStylingSample.javaLabelledMarkerSampleLabelledMarkerSample.java
ContourChartSample1ContourChartSample.javaScatterAndBubbleRendererSampleScatterAndBubbleRendererSample.java
ContourChartSampleContourChartSample.javaScatterAndBubbleRendererSampleScatterAndBubbleRendererSample.java
ChartIndicatorSampleChartIndicatorSample.java
HistogramRendererTestsHistogramRendererTests.java

Financial related examples

Financial charts are types of charts that visually track various business and financial metrics like liquidity, price movement, expenses, cash flow, and others over a given a period of the time. Financial charts are a great way to express a story about business or financial markets (instruments, financial assets).

The chart-fx samples submodule contains financial charts and toolbox samples.

If you want to try them yourself run:

mvn compile installmvn exec:java
FinancialCandlestickSampleFinancialCandlestickSample.java (Several Themes Supported)FinancialHiLowSampleFinancialHiLowSample.java (OHLC Renderer)
FinancialAdvancedCandlestickSampleFinancialAdvancedCandlestickSample.java (Advanced PaintBars and Extension Points)FinancialAdvancedCandlestickSampleFinancialRealtimeCandlestickSample.java (OHLC Tick Replay Real-time processing)

Financial Footprint Chart

FinancialAdvancedCandlestickSample

FinancialRealtimeFootprintSample.java (FOOTPRINT Tick Replay Real-time processing)

Math- & Signal-Processing related examples

The math samples can be started by running:

mvn compile installmvn exec:java@math
DataSetAverageSampleDataSetAverageSample.javaDataSetFilterSampleDataSetFilterSample.javaDataSetIntegrateDifferentiateSampleDataSetIntegrateDifferentiateSample.java
DataSetSpectrumSampleDataSetSpectrumSample.javaFourierSampleFourierSample.javaFrequencyFilterSampleFrequencyFilterSample.java
GaussianFitSampleGaussianFitSample.javaIIRFilterSampleIIRFilterSample.javaWaveletScalogramWaveletScalogram.java

Other samples

There are also samples for the dataset and the accelerator UI submodules which will be extended over time as newfunctionality is added.

mvn compile installmvn exec:java@datasetmvn exec:java@acc-ui

Performance Comparison

Besides the extended functionality outlined above, the ChartFx optimisation goal also included achieving real-time update rates of up to 25 Hz for data sets with a few 10k up to 5 million data points. In order to optimise and compare the performance with other charting libraries, especially those with only reduced functionality, a reduced simple oscilloscope-style test case has been chosen (seeRollingBufferSample in demos) that displays two curves with independent auto-ranging y-axes, common sliding time-series axis, and without furtherChartPlugins. The test-case and direct performance comparison between the ChartFx and JavaFX charting library for update rates at 25 Hz and 2 Hz is shown below.

ChartFx performance comparison test-case Performance test scenario with two independent graphs, independent auto-ranging y-axes, and common scrolling time-series axis. Test system: Linux, 4.12.14, Intel(R) Core(TM) i7 CPU 860 @2.80GHz and GeForce GTX 670 GPU (NVIDIA driver).
JavaFX-ChartFx performance comparison for 25 Hz Performance comparison @ 25 Hz update rate.JavaFX-ChartFx performance comparison for 2 Hz Performance comparison @ 2 Hz update rate.

While the ChartFx implementation already achieved a better functionality and a by two orders of magnitude improved performance for very large datasets, the basic test scenario has also been checked against popular existing Java-Swing and non-Java based UI charting frameworks. The Figure below provides a summary of the evaluated chart libraries for update rates at 25 Hz and 1k samples.

ChartFx performance comparison

Chart performance comparison for popular JavaFX, Java-Swing, C++/Qt and WebAssembly-based implementations:ExtJFX,ChartFx,HanSolo Charts,JFreeChart,JDataViewer,QCustomPlot,Qt-Charts,WebAssembly. The last `Qt Charts` entries show results for 100k data points being updated at 25 Hz.

Some thoughts

While starting out to improve the JDK's JavaFX Chart functionality and performance through initially extending, then gradually replacing bottle-necks, and eventually re-designing and replacing the original implementations, the resulting ChartFx library provides a substantially larger functionality and achieved an about two orders of magnitude performance improvement.Nevertheless, improved functionality aside, a direct performance comparison even for the best-case JavaFX scenario (static axes) with other non-JavaFX libraries demonstrated the raw JavaFX graphics performance -- despite the redesign -- being still behind the existing Java Swing-based JDataViewer and most noticeable the Qt Charts implementations. The library will continued to be maintained here at GitHub and further used for existing and future JavaFX-based control room UIs at GSI.The gained experience and interfaces will provide a starting point for a planned C++-based counter-part implementation using Qt or another suitable low-level charting library.

Working on the source

If you want to work on the chart-fx sourcecode, either to play with the samples or to contribute some improvements to chartFX here are some instructions how to obtain the source and compile it using maven on the command line or using eclipse.

Maven on the command line

Just clone the repository and run maven from the top level directory. Theexec:java target can be used to execute the samples.Maven calls java with the corresponding options so that JavaFX is working. Because of the way the project is set up, only classes in the chartfx-samples project can be started this way.

git clonecd chart-fxmvn compile installmvn exec:java

Eclipse

The following has been tested with eclipse-2019-03 and uses the m2e maven plugin. Other versions or IDEs might work similar.Import the repository usingImport -> Existing Maven Project.This should import the parent project and the four sub-projects.Unfortunately, since chartfx does not use the jigsaw module system, but javafx does, running the samples using 'run as Java Application' will result in an error complaining about the missing JavaFX runtime.As a workaround we include a small helper classLaunchJFX, which can be called with 'run as Java Application' and which launches the sample application.It accepts a class name as an argument, so if you edit the run configuration and put${java_type_name} as the argument, it will try to start the class selected in the project explorer as a JavaFX application.

JavaFX jvm command line options

If you cannot use the 2 previous methods it is also possible to manually specify the access rules to the module systemas jvm flags. Adding the following to the java command line call or your IDEs run configuration makes the requiredmodules available and accessible to chartfx:

--add-modules=javafx.graphics,javafx.fxml,javafx.media--add-reads javafx.graphics=ALL-UNNAMED--add-opens javafx.controls/com.sun.javafx.charts=ALL-UNNAMED--add-opens javafx.controls/com.sun.javafx.scene.control.inputmap=ALL-UNNAMED--add-opens javafx.graphics/com.sun.javafx.iio=ALL-UNNAMED--add-opens javafx.graphics/com.sun.javafx.iio.common=ALL-UNNAMED--add-opens javafx.graphics/com.sun.javafx.css=ALL-UNNAMED--add-opens javafx.base/com.sun.javafx.runtime=ALL-UNNAMED--add-exports javafx.controls/com.sun.javafx.scene.control.behavior=ALL-UNNAMED

As these parameters might change as dependencies get updated and depending on the way your project is set up,please check the following resources if you encounter problems with module accessibility:

Extending chartfx

If you find yourself missing some feature or not being able to access specific chart internals, the way to go is often toimplement a custom plugin or renderer.

Plugins are a simple way to add new visualisation and interaction capabilities to chart-fx. In fact a lot of chart-fx' own features (e.g. zoom, data editing, measurements) are implemented as plugins, as you can see in the sample applications.Your plugin can directly extend ChartPlugin or extend any of the builtin plugins.The Plugin Base class provides you with access to the chart object usinggetChart().Your plugin should always add a Listener to the chartProperty, because when it is created there will not be an associatedchart, so at creation time, calls to e.g.getChart() will return null.Using a custom plugin boils down to adding it to the chart by doingchart.getPlugins().add(new MyPlugin()).If you wrote a plugin which might be useful for other users of chart-fx please consider doing a pull request against chart-fx.

Renderers are the components which do the actual heavy lifting in drawing the components of the graph to the canvas.A chart can have multiple renderers added usingchart.getRenderers().add(...)There are renderers which visualise actual data like theErrorDataSetRenderer which is also the renderer addedto new charts by default.These Renderers operate on all DatasSets added to the chart (chart.getDatasets.add(...)) as well as on the ones addedto the renderer itself.As a rule of thumb, you need to implement a custom renderer if you need to visualize lots of data points or if you wantto draw something behind the chart itself.

Acknowledgements

We express our thanks and gratitude to the JavaFX community, in particular to @GregKrug and Vito Baggiolini at CERN for their valuable insights, discussions and feedback on this topic.

About

A scientific charting library focused on performance optimised real-time data visualisation at 25 Hz update rates for data sets with a few 10 thousand up to 5 million data points.

Topics

Resources

License

Code of conduct

Contributing

Stars

Watchers

Forks

Packages

 
 
 

Contributors28

Languages


[8]ページ先頭

©2009-2025 Movatter.jp