Giter VIP home page Giter VIP logo

hdr_histogram_erl's Introduction

HdrHistogram

Gitter Java CI Javadocs

HdrHistogram: A High Dynamic Range (HDR) Histogram

This repository currently includes a Java implementation of HdrHistogram. C, C#/.NET, Python, Javascript, Rust, Erlang, and Go ports can be found in other repositories. All of which share common concepts and data representation capabilities. Look at repositories under the HdrHistogram organization for various implementations and useful tools.

Note: The below is an excerpt from a Histogram JavaDoc. While much of it generally applies to other language implementations as well, some details may vary by implementation (e.g. iteration and synchronization), so you should consult the documentation or header information of the specific API library you intend to use.


HdrHistogram supports the recording and analyzing of sampled data value counts across a configurable integer value range with configurable value precision within the range. Value precision is expressed as the number of significant digits in the value recording, and provides control over value quantization behavior across the value range and the subsequent value resolution at any given level.

For example, a Histogram could be configured to track the counts of observed integer values between 0 and 3,600,000,000 while maintaining a value precision of 3 significant digits across that range. Value quantization within the range will thus be no larger than 1/1,000th (or 0.1%) of any value. This example Histogram could be used to track and analyze the counts of observed response times ranging between 1 microsecond and 1 hour in magnitude, while maintaining a value resolution of 1 microsecond up to 1 millisecond, a resolution of 1 millisecond (or better) up to one second, and a resolution of 1 second (or better) up to 1,000 seconds. At its maximum tracked value (1 hour), it would still maintain a resolution of 3.6 seconds (or better).

The HdrHistogram package includes the Histogram implementation, which tracks value counts in long fields, and is expected to be the commonly used Histogram form. IntHistogram and ShortHistogram, which track value counts in int and short fields respectively, are provided for use cases where smaller count ranges are practical and smaller overall storage is beneficial.

HdrHistogram is designed for recording histograms of value measurements in latency and performance sensitive applications. Measurements show value recording times as low as 3-6 nanoseconds on modern (circa 2012) Intel CPUs. AbstractHistogram maintains a fixed cost in both space and time. A Histogram's memory footprint is constant, with no allocation operations involved in recording data values or in iterating through them. The memory footprint is fixed regardless of the number of data value samples recorded, and depends solely on the dynamic range and precision chosen. The amount of work involved in recording a sample is constant, and directly computes storage index locations such that no iteration or searching is ever involved in recording data values.

A combination of high dynamic range and precision is useful for collection and accurate post-recording analysis of sampled value data distribution in various forms. Whether it's calculating or plotting arbitrary percentiles, iterating through and summarizing values in various ways, or deriving mean and standard deviation values, the fact that the recorded data information is kept in high resolution allows for accurate post-recording analysis with low [and ultimately configurable] loss in accuracy when compared to performing the same analysis directly on the potentially infinite series of sourced data values samples.

A common use example of HdrHistogram would be to record response times in units of microseconds across a dynamic range stretching from 1 usec to over an hour, with a good enough resolution to support later performing post-recording analysis on the collected data. Analysis can include computing, examining, and reporting of distribution by percentiles, linear or logarithmic value buckets, mean and standard deviation, or by any other means that can be easily added by using the various iteration techniques supported by the Histogram. In order to facilitate the accuracy needed for various post-recording analysis techniques, this example can maintain a resolution of ~1 usec or better for times ranging to ~2 msec in magnitude, while at the same time maintaining a resolution of ~1 msec or better for times ranging to ~2 sec, and a resolution of ~1 second or better for values up to 2,000 seconds. This sort of example resolution can be thought of as "always accurate to 3 decimal points." Such an example Histogram would simply be created with a highestTrackableValue of 3,600,000,000, and a numberOfSignificantValueDigits of 3, and would occupy a fixed, unchanging memory footprint of around 185KB (see "Footprint estimation" below).

Histogram variants and internal representation

The HdrHistogram package includes multiple implementations of the AbstractHistogram class:

  • Histogram, which is the commonly used Histogram form and tracks value counts in long fields.
  • IntHistogram and ShortHistogram, which track value counts in int and short fields respectively, are provided for use cases where smaller count ranges are practical and smaller overall storage is beneficial (e.g. systems where tens of thousands of in-memory histogram are being tracked).
  • AtomicHistogram and SynchronizedHistogram (see 'Synchronization and concurrent access' below)

Internally, data in HdrHistogram variants is maintained using a concept somewhat similar to that of floating point number representation: Using an exponent a (non-normalized) mantissa to support a wide dynamic range at a high but varying (by exponent value) resolution. AbstractHistogram uses exponentially increasing bucket value ranges (the parallel of the exponent portion of a floating point number) with each bucket containing a fixed number (per bucket) set of linear sub-buckets (the parallel of a non-normalized mantissa portion of a floating point number). Both dynamic range and resolution are configurable, with highestTrackableValue controlling dynamic range, and numberOfSignificantValueDigits controlling resolution.

Synchronization and concurrent access

In the interest of keeping value recording cost to a minimum, the commonly used Histogram class and it's IntHistogram and ShortHistogram variants are NOT internally synchronized, and do NOT use atomic variables. Callers wishing to make potentially concurrent, multi-threaded updates or queries against Histogram objects should either take care to externally synchronize and/or order their access, or use the ConcurrentHistogram, AtomicHistogram, or SynchronizedHistogram or variants.

A common pattern seen in histogram value recording involves recording values in a critical path (multi-threaded or not), coupled with a non-critical path reading the recorded data for summary/reporting purposes. When such continuous non-blocking recording operation (concurrent or not) is desired even when sampling, analyzing, or reporting operations are needed, consider using the Recorder and SingleWriterRecorder recorder variants that were specifically designed for that purpose. Recorders provide a recording API similar to Histogram, and internally maintain and coordinate active/inactive histograms such that recording remains wait-free in the presence of accurate and stable interval sampling.

It is worth mentioning that since Histogram objects are additive, it is common practice to use per-thread non-synchronized histograms or SingleWriterRecorders, and use a summary/reporting thread to perform histogram aggregation math across time and/or threads.

Iteration

Histograms support multiple convenient forms of iterating through the histogram data set, including linear, logarithmic, and percentile iteration mechanisms, as well as means for iterating through each recorded value or each possible value level. The iteration mechanisms are accessible through the HistogramData available through getHistogramData(). Iteration mechanisms all provide HistogramIterationValue data points along the histogram's iterated data set, and are available for the default (corrected) histogram data set via the following HistogramData methods:

  • percentiles: An Iterable<HistogramIterationValue> through the histogram using a PercentileIterator
  • linearBucketValues: An Iterable<HistogramIterationValue> through the histogram using a LinearIterator
  • logarithmicBucketValues: An Iterable<HistogramIterationValue> through the histogram using a LogarithmicIterator
  • recordedValues: An Iterable<HistogramIterationValue> through the histogram using a RecordedValuesIterator
  • allValues: An Iterable<HistogramIterationValue> through the histogram using a AllValuesIterator

Iteration is typically done with a for-each loop statement. E.g.:

 for (HistogramIterationValue v :
      histogram.getHistogramData().percentiles(ticksPerHalfDistance)) {
     ...
 }

or

 for (HistogramIterationValue v :
      histogram.getRawHistogramData().linearBucketValues(unitsPerBucket)) {
     ...
 }

The iterators associated with each iteration method are resettable, such that a caller that would like to avoid allocating a new iterator object for each iteration loop can re-use an iterator to repeatedly iterate through the histogram. This iterator re-use usually takes the form of a traditional for loop using the Iterator's hasNext() and next() methods.

So to avoid allocating a new iterator object for each iteration loop:

 PercentileIterator iter =
    histogram.getHistogramData().percentiles().iterator(ticksPerHalfDistance);
 ...
 iter.reset(percentileTicksPerHalfDistance);
 for (iter.hasNext() {
     HistogramIterationValue v = iter.next();
     ...
 }

Equivalent Values and value ranges

Due to the finite (and configurable) resolution of the histogram, multiple adjacent integer data values can be "equivalent". Two values are considered "equivalent" if samples recorded for both are always counted in a common total count due to the histogram's resolution level. HdrHistogram provides methods for determining the lowest and highest equivalent values for any given value, as well as determining whether two values are equivalent, and for finding the next non-equivalent value for a given value (useful when looping through values, in order to avoid a double-counting count).

Corrected vs. Raw value recording calls

In order to support a common use case needed when histogram values are used to track response time distribution, Histogram provides for the recording of corrected histogram value by supporting a recordValueWithExpectedInterval() variant is provided. This value recording form is useful in [common latency measurement] scenarios where response times may exceed the expected interval between issuing requests, leading to "dropped" response time measurements that would typically correlate with "bad" results.

When a value recorded in the histogram exceeds the expectedIntervalBetweenValueSamples parameter, recorded histogram data will reflect an appropriate number of additional values, linearly decreasing in steps of expectedIntervalBetweenValueSamples, down to the last value that would still be higher than expectedIntervalBetweenValueSamples.

To illustrate why this corrective behavior is critically needed in order to accurately represent value distribution when large value measurements may lead to missed samples, imagine a system for which response times samples are taken once every 10 msec to characterize response time distribution. The hypothetical system behaves "perfectly" for 100 seconds (10,000 recorded samples), with each sample showing a 1msec response time value. At each sample for 100 seconds (10,000 logged samples at 1 msec each). The hypothetical system then encounters a 100 sec pause during which only a single sample is recorded (with a 100 second value). The raw data histogram collected for such a hypothetical system (over the 200 second scenario above) would show ~99.99% of results at 1 msec or below, which is obviously "not right". The same histogram, corrected with the knowledge of an expectedIntervalBetweenValueSamples of 10msec will correctly represent the response time distribution. Only ~50% of results will be at 1 msec or below, with the remaining 50% coming from the auto-generated value records covering the missing increments spread between 10msec and 100 sec.

Data sets recorded with and without an expectedIntervalBetweenValueSamples parameter will differ only if at least one value recorded with the recordValue method was greater than its associated expectedIntervalBetweenValueSamples parameter. Data sets recorded with an expectedIntervalBetweenValueSamples parameter will be identical to ones recorded without it if all values recorded via the recordValue calls were smaller than their associated (and optional) expectedIntervalBetweenValueSamples parameters.

When used for response time characterization, the recording with the optional expectedIntervalBetweenValueSamples parameter will tend to produce data sets that would much more accurately reflect the response time distribution that a random, uncoordinated request would have experienced.

Footprint estimation

Due to its dynamic range representation, Histogram is relatively efficient in memory space requirements given the accuracy and dynamic range it covers. Still, it is useful to be able to estimate the memory footprint involved for a given highestTrackableValue and numberOfSignificantValueDigits combination. Beyond a relatively small fixed-size footprint used for internal fields and stats (which can be estimated as "fixed at well less than 1KB"), the bulk of a Histogram's storage is taken up by its data value recording counts array. The total footprint can be conservatively estimated by:

 largestValueWithSingleUnitResolution =
        2 * (10 ^ numberOfSignificantValueDigits);
 subBucketSize =
        roundedUpToNearestPowerOf2(largestValueWithSingleUnitResolution);

 expectedHistogramFootprintInBytes = 512 +
      ({primitive type size} / 2) *
      (log2RoundedUp((highestTrackableValue) / subBucketSize) + 2) *
      subBucketSize

A conservative (high) estimate of a Histogram's footprint in bytes is available via the getEstimatedFootprintInBytes() method.

hdr_histogram_erl's People

Contributors

antoinegagne avatar cprice404 avatar darach avatar dreid avatar fbernier avatar jlouis avatar licenser avatar msantos avatar petrohi avatar timofey-barmin avatar tsloughter avatar

Stargazers

 avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar

Watchers

 avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar

hdr_histogram_erl's Issues

Update c_src files to latest from HdrHistogram_c

Would there be any interest in updating this project with the latest source files from the C version?

I've done the work in my working branch, but it comes with a number of significant caveats:

  • the latest version has removed (or renamed) a number of Histogram struct variables, so this would be a break change
  • the performance seems to be about 33% slower - running tests on my system slows down the operations from 10ns/h to ~13.5ns/h.
  • it removes the uncompressed option (and tests), since those don't seem to be present in the C version any more

If there's interest in an update like this I'll open a PR -- I'm interested in the update in case the C version has fixed any bugs that this project would want to pick up.

Obviously, if maintaining perfect backwards compatibility and the same level of performance are more important, we can close this Issue out. Thoughts?

hdr_histogram counter-example

Here is a counterexample which fails based on the new EQC tests:

Shrinking xxxxxxxxxxxxxxxxxx.x..xxxx..x.xx.....xxx...........x...xxxxxxxxxxxxxxxxxxxxxxxxxxxxxx(25 times)
{{call,hdr_bin_tests_eqc,open,[524287,5]},{c,[{compression,zlib}]},{0,0,0}}
#{max => 0,
  mean => 0.0,
  median => 0.0,
  mem_size => 4194376,
  min => 0,
  p99 => 0.0,
  p99999 => 0.0,
  stddev => 0.0,
  total_count => 0} /= {exception,error,badarg}
[prop_to_bin]

Note that we have opened the hdr_histogram with 5 significant digits, and this fails once we try to push the histogram to a binary and re-read it. We simply get a badarg error on the read. Here is the command we fired:

{call,hdr_bin_tests_eqc,open,[524287,5]}

Add a helpful comment on sizing

New users of HDR Histogram probably won't be aware of the importance
of sizing. Add a comment to cover the significance here. This has already
snagged one (otherwise happy) user. Additionally an under-size check
might be helpful.

Assertion crash

Below check should be handled gracefully as an exception:

1> f(R), {ok, R} = hdr_histogram:open(10, 1).
2> hdr_histogram:record(R, 100).
beam.smp: c_src/hdr_histogram.c:54: counts_index: Assertion `bucket_index < h->bucket_count' failed.
Aborted (core dumped)

hdr_histogram_erl failed to compile with OTP23

I installed OTP 23.0 and found hdr_histogram_erl failed to compile (as a dependency of my application) with error
ld: library not found for -lerl_interface
clang: error: linker command failed with exit code 1 (use -v to see invocation).
I have no background in C integration with Erlang but I guess this is due to the modification on erl_interface in OTP23.

I think you guys might have noticed this or it is already a work in progress, but I would like to post here anyway in case someone encountered similar problem.

Thanks.

Build fails on Linux

With kernel 4.11.9 and gcc 7.1.1, make complains:

$ make
rebar get-deps compile
==> hdr_histogram_erl (get-deps)
Pulling edown from {git,"https://github.com/uwiger/edown.git",
                        {branch,"master"}}
Cloning into 'edown'...
Pulling fqc from {git,"https://github.com/project-fifo/fqc.git",
                      {branch,"master"}}
Cloning into 'fqc'...
==> edown (get-deps)
==> fqc (get-deps)
==> edown (compile)
Compiled src/edown_make.erl
Compiled src/edown_lib.erl
Compiled src/edown_doclet.erl
Compiled src/edown_xmerl.erl
Compiled src/edown_layout.erl
==> fqc (compile)
Compiled src/fqc.erl
Compiled src/eqc_dot.erl
==> hdr_histogram_erl (compile)
make[1]: Entering directory '/home/pjhades/code/lab/hdr_histogram_erl/c_src'
^[[Acc  -O3 -std=c99 -fPIC -I /usr/lib/erlang/erts-9.0.1/include/ -I /usr/lib/erlang/lib/erl_interface-3.10/include  -c -o /home/pjhades/code/lab/hdr_histogram_erl/c_src/hdr_histogram_log.o /home/pjhades/code/lab/hdr_histogram_erl/c_src/hdr_histogram_log.c
cc  -O3 -std=c99 -fPIC -I /usr/lib/erlang/erts-9.0.1/include/ -I /usr/lib/erlang/lib/erl_interface-3.10/include  -c -o /home/pjhades/code/lab/hdr_histogram_erl/c_src/hdr_histogram.o /home/pjhades/code/lab/hdr_histogram_erl/c_src/hdr_histogram.c
cc  -O3 -std=c99 -fPIC -I /usr/lib/erlang/erts-9.0.1/include/ -I /usr/lib/erlang/lib/erl_interface-3.10/include  -c -o /home/pjhades/code/lab/hdr_histogram_erl/c_src/hdr_histogram_nif.o /home/pjhades/code/lab/hdr_histogram_erl/c_src/hdr_histogram_nif.c
In file included from /home/pjhades/code/lab/hdr_histogram_erl/c_src/hdr_histogram_nif.c:83:0:
/home/pjhades/code/lab/hdr_histogram_erl/c_src/hdr_histogram_log.h:66:12: warning: ‘struct timespec’ declared inside parameter list will not be visible outside of this definition or declaration
     struct timespec* timestamp);
            ^~~~~~~~
/home/pjhades/code/lab/hdr_histogram_erl/c_src/hdr_histogram_log.h:92:18: warning: ‘struct timespec’ declared inside parameter list will not be visible outside of this definition or declaration
     const struct timespec* start_timestamp,
                  ^~~~~~~~
/home/pjhades/code/lab/hdr_histogram_erl/c_src/hdr_histogram_log.h:100:21: error: field ‘start_timestamp’ has incomplete type
     struct timespec start_timestamp;
                     ^~~~~~~~~~~~~~~
make[1]: *** [Makefile:62: /home/pjhades/code/lab/hdr_histogram_erl/c_src/hdr_histogram_nif.o] Error 1
make[1]: Leaving directory '/home/pjhades/code/lab/hdr_histogram_erl/c_src'
ERROR: Command [compile] failed!
make: *** [Makefile:9: build] Error 1

Apparently this should have been resolved by #30 so there may be something else going wrong.

If I understand it correctly, the port_env option in rebar.config specifies -O3 -std=c99 for CFLAGS, but later in c_src/Makefile we do

else ifeq ($(UNAME_SYS), Linux)
    CC ?= gcc
    CFLAGS ?= -O3 -std=c99 -D_POSIX_C_SOURCE=199309L -finline-functions -Wall -Wmissing-prototypes
    CXXFLAGS ?= -O3 -Wall
endif

So CFLAGS is not updated since it has been defined.

Fix heissenbug reported by Heinz and the nice folk at Quviq

A heissenbug in on_load spanged off with the -noshell option corrupts memory. This only occurs
if the -noshell flag is set. Issue materializes in Quickcheck-CI which I don't have access to

Begin forwarded message:

From: QuickCheck CI <[email protected]>
Subject: Re: I think I broke something
Date: March 16, 2015 at 13:19:20 GMT+1
To: Heinz Nikolaus Gies <[email protected]>
Cc: John Hughes <*redacted*>, Thomas Arts <*redacted*>


Hi Heinz!


I have finally found and fixed the problem. In short, it was a bug in the way the hdr_histogram NIF created a resource type. You can find a cloned version of your project with the fix here: https://github.com/QuickCheck-CI/hdr_histogram_erl/tree/qc-ci

This was a fun problem to track down! An invalid argument in the NIF init code caused a memory corruption which in turned caused a buffer overrun which caused a memory corruption which in turn caused a call to free to fail! For some reason I feel like watching Inception again! :)

The following is a more detailed description of the problem and how I found it.

I started by creating a small test that created an empty histogram, converted it to binary, created a new histogram from the binary and closed it. This worked perfectly when running erl without the "-noshell" flag but crashed when the flag was given. The cause of the crash was that the histogram buffer that was allocated when converting a binary to a histogram was too small, causing a buffer overrun which overwrote some of malloc's internal structures, causing later calls to malloc and free to fail.

The reason for the buffer being too small was that the lowest_trackable_value in the histogram data was being set to 2 (where it should be 1). Finding out why was a bit tricky because all the code seemed to be doing the right thing and when the histogram structure was allocated and set up it had the value 1!... Going through the memory accesses, it turned out that a call to enif_allocate_resource in _hh_open overwrote some of the data that belonged to the histogram:

ERL_NIF_TERM _hh_open(ErlNifEnv* env, int argc, const ERL_NIF_TERM argv[])
{
    ...
    hdr_histogram_t* raw_histogram;
    ...
    rc = hdr_alloc(highest_trackable_value, significant_figures, &raw_histogram);
    ...
    printf("!!! [_hh_open] before enif_alloc_resource: raw_histogram->lowest_trackable_value = %ld\n", raw_histogram->lowest_trackable_value);
    hh_ctx_t* ctx = (hh_ctx_t*)enif_alloc_resource(ctx_type, sizeof(hh_ctx_t));
    printf("!!! [_hh_open] after enif_alloc_resource: raw_histogram->lowest_trackable_value = %ld\n", raw_histogram->lowest_trackable_value);
    ...
}

When running this code without the "-noshell" flag I got the following output

!!! [_hh_open] before enif_alloc_resource: raw_histogram->lowest_trackable_value = 1
!!! [_hh_open] after enif_alloc_resource: raw_histogram->lowest_trackable_value = 1

but running with "-noshell" produced the following output.

!!! [_hh_open] before enif_alloc_resource: raw_histogram->lowest_trackable_value = 1
!!! [_hh_open] after enif_alloc_resource: raw_histogram->lowest_trackable_value = 2

So either enif_alloc_resource contained a bug or it was given invalid arguments. The first argument should be a resource type and in this case it was the NIF's private data:

    ErlNifResourceType* ctx_type = (ErlNifResourceType*)enif_priv_data(env);

The private data is set in the on_load function where it was created in the following way.

    *priv_data = (hh_ctx_t*)malloc(sizeof(hh_ctx_t));

This is the cause of the problem since a random memory block is not a valid resource type. My guess (without having gone though the Erlang implementation) is that a resource type essentially functions as a unique type identifier which allows for module upgrading which means that more or less any unique pointer would work (which probably explains why the code worked as well as it did). But something seems to change when the "-noshell" flag is given. I still don't know what changes but maybe the memory layout is altered in some significant way?

To fix the problem we need to allocate a proper resource type which I did in the following way.

    ErlNifResourceType *resourceType = enif_open_resource_type(env, NULL, "hh_ctx_t", NULL, ERL_NIF_RT_CREATE, NULL);
    *priv_data = resourceType;

With this fix the test works as intended both with and without the "-noshell" flag! Success! :)


Cheers,
 Tobias

Could you please make a new release?

Hello. The latest tag is still 0.3.2 which does not include later patches. It makes some of our projects fail to build. I used to have a PR for one build issue but I think that has been fixed on master. Could you please make a new release? Thanks.

simple.erl example does not work

I just noticed that the example is broken on master. I'm on OS X 10.10.4, using Erlang/OTP 17 [erts-6.4].

With the current master (5570a5a) I get the following error when running examples/simple.erl:

Runtime: 4.250542secs 2352641.14553rps
escript: exception error: bad argument
  in function  hdr_histogram:print_csv/1
     called as hdr_histogram:print_csv(<<>>)
  in call from simple_erl__escript__1437__226631__273844:main/1 (./examples/simple.erl, line 26)
  in call from escript:run/2 (escript.erl, line 752)
  in call from escript:start/1 (escript.erl, line 276)
  in call from init:start_it/1
  in call from init:start_em/1

0.2.6 seems to be fine though.

Record_many '0' values fails with 'value_out_of_range'

Record many zeros fails, while record a single zero succeeds. Is this a bug, a feature or something I don't understand about the meaning of record_many?

8> {ok, H} = hdr_histogram:open(600, 5).
{ok,<<>>}
9> hdr_histogram:record(H, 0).
ok
10> hdr_histogram:record_many(H, 0, 1).
{error,value_out_of_range}

Recommend Projects

  • React photo React

    A declarative, efficient, and flexible JavaScript library for building user interfaces.

  • Vue.js photo Vue.js

    🖖 Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web.

  • Typescript photo Typescript

    TypeScript is a superset of JavaScript that compiles to clean JavaScript output.

  • TensorFlow photo TensorFlow

    An Open Source Machine Learning Framework for Everyone

  • Django photo Django

    The Web framework for perfectionists with deadlines.

  • D3 photo D3

    Bring data to life with SVG, Canvas and HTML. 📊📈🎉

Recommend Topics

  • javascript

    JavaScript (JS) is a lightweight interpreted programming language with first-class functions.

  • web

    Some thing interesting about web. New door for the world.

  • server

    A server is a program made to process requests and deliver data to clients.

  • Machine learning

    Machine learning is a way of modeling and interpreting data that allows a piece of software to respond intelligently.

  • Game

    Some thing interesting about game, make everyone happy.

Recommend Org

  • Facebook photo Facebook

    We are working to build community through open source technology. NB: members must have two-factor auth.

  • Microsoft photo Microsoft

    Open source projects and samples from Microsoft.

  • Google photo Google

    Google ❤️ Open Source for everyone.

  • D3 photo D3

    Data-Driven Documents codes.