Giter Club home page Giter Club logo

signature_pad's Introduction

Signature Pad npm tests Code Climate

Signature Pad is a JavaScript library for drawing smooth signatures. It's HTML5 canvas based and uses variable width Bézier curve interpolation based on Smoother Signatures post by Square. It works in all modern desktop and mobile browsers and doesn't depend on any external libraries.

Example

Demo

Demo works in desktop and mobile browsers. You can check out its source code for some tips on how to handle window resize and high DPI screens. You can also find more about the latter in HTML5 Rocks tutorial.

Other demos

Installation

You can install the latest release using npm:

npm install --save signature_pad

or Yarn:

yarn add signature_pad

You can also add it directly to your page using <script> tag:

<script src="https://cdn.jsdelivr.net/npm/[email protected]/dist/signature_pad.umd.min.js"></script>

You can select a different version at https://www.jsdelivr.com/package/npm/signature_pad.

This library is provided as UMD (Universal Module Definition) and ES6 module.

Usage

API

const canvas = document.querySelector("canvas");

const signaturePad = new SignaturePad(canvas);

// Returns signature image as data URL (see https://mdn.io/todataurl for the list of possible parameters)
signaturePad.toDataURL(); // save image as PNG
signaturePad.toDataURL("image/jpeg"); // save image as JPEG
signaturePad.toDataURL("image/jpeg", 0.5); // save image as JPEG with 0.5 image quality
signaturePad.toDataURL("image/svg+xml"); // save image as SVG data url

// Return svg string without converting to base64
signaturePad.toSVG(); // "<svg...</svg>"
signaturePad.toSVG({includeBackgroundColor: true}); // add background color to svg output

// Draws signature image from data URL (mostly uses https://mdn.io/drawImage under-the-hood)
// NOTE: This method does not populate internal data structure that represents drawn signature. Thus, after using #fromDataURL, #toData won't work properly.
signaturePad.fromDataURL("data:image/png;base64,iVBORw0K...");

// Draws signature image from data URL and alters it with the given options
signaturePad.fromDataURL("data:image/png;base64,iVBORw0K...", { ratio: 1, width: 400, height: 200, xOffset: 100, yOffset: 50 });

// Returns signature image as an array of point groups
const data = signaturePad.toData();

// Draws signature image from an array of point groups
signaturePad.fromData(data);

// Draws signature image from an array of point groups, without clearing your existing image (clear defaults to true if not provided)
signaturePad.fromData(data, { clear: false });

// Clears the canvas
signaturePad.clear();

// Returns true if canvas is empty, otherwise returns false
signaturePad.isEmpty();

// Unbinds all event handlers
signaturePad.off();

// Rebinds all event handlers
signaturePad.on();

Options

dotSize
(float or function) Radius of a single dot. Also the width of the start of a mark.
minWidth
(float) Minimum width of a line. Defaults to 0.5.
maxWidth
(float) Maximum width of a line. Defaults to 2.5.
throttle
(integer) Draw the next point at most once per every x milliseconds. Set it to 0 to turn off throttling. Defaults to 16.
minDistance
(integer) Add the next point only if the previous one is farther than x pixels. Defaults to 5.
backgroundColor
(string) Color used to clear the background. Can be any color format accepted by context.fillStyle. Defaults to "rgba(0,0,0,0)" (transparent black). Use a non-transparent color e.g. "rgb(255,255,255)" (opaque white) if you'd like to save signatures as JPEG images.
penColor
(string) Color used to draw the lines. Can be any color format accepted by context.fillStyle. Defaults to "black".
velocityFilterWeight
(float) Weight used to modify new velocity based on the previous velocity. Defaults to 0.7.
canvasContextOptions
(CanvasRenderingContext2DSettings) part of the Canvas API, provides the 2D rendering context for the drawing surface of a canvas element. It is used for drawing shapes, text, images, and other objects (MDN).

You can set options during initialization:

const signaturePad = new SignaturePad(canvas, {
    minWidth: 5,
    maxWidth: 10,
    penColor: "rgb(66, 133, 244)"
});

or during runtime:

const signaturePad = new SignaturePad(canvas);
signaturePad.minWidth = 5;
signaturePad.maxWidth = 10;
signaturePad.penColor = "rgb(66, 133, 244)";

Events

beginStroke
Triggered before stroke begins.
Can be canceled with event.preventDefault()
endStroke
Triggered after stroke ends.
beforeUpdateStroke
Triggered before stroke update.
afterUpdateStroke
Triggered after stroke update.

You can add listeners to events with .addEventListener:

const signaturePad = new SignaturePad(canvas);
signaturePad.addEventListener("beginStroke", () => {
  console.log("Signature started");
}, { once: true });

Tips and tricks

Handling high DPI screens

To correctly handle canvas on low and high DPI screens one has to take devicePixelRatio into account and scale the canvas accordingly. This scaling is also necessary to properly display signatures loaded via SignaturePad#fromDataURL. Here's an example how it can be done:

function resizeCanvas() {
    const ratio =  Math.max(window.devicePixelRatio || 1, 1);
    canvas.width = canvas.offsetWidth * ratio;
    canvas.height = canvas.offsetHeight * ratio;
    canvas.getContext("2d").scale(ratio, ratio);
    signaturePad.clear(); // otherwise isEmpty() might return incorrect value
}

window.addEventListener("resize", resizeCanvas);
resizeCanvas();

Instead of resize event you can listen to screen orientation change, if you're using this library only on mobile devices. You can also throttle the resize event - you can find some examples on this MDN page.

Handling canvas resize

When you modify width or height of a canvas, it will be automatically cleared by the browser. SignaturePad doesn't know about it by itself, so you can call signaturePad.fromData(signaturePad.toData()) to reset the drawing, or signaturePad.clear() to make sure that signaturePad.isEmpty() returns correct value in this case.

This clearing of the canvas by the browser can be annoying, especially on mobile devices e.g. when screen orientation is changed. There are a few workarounds though, e.g. you can lock screen orientation, or read an image from the canvas before resizing it and write the image back after.

Handling data URI encoded images on the server side

If you are not familiar with data URI scheme, you can read more about it on Wikipedia.

There are 2 ways you can handle data URI encoded images.

You could simply store it in your database as a string and display it in HTML like this:

<img src="data:image/png;base64,iVBORw0K..." />

but this way has many disadvantages - it's not easy to get image dimensions, you can't manipulate it e.g. to create a thumbnail and it also has some performance issues on mobile devices.

Thus, more common way is to decode it and store as a file. Here's an example in Ruby:

require "base64"

data_uri = "data:image/png;base64,iVBORw0K..."
encoded_image = data_uri.split(",")[1]
decoded_image = Base64.decode64(encoded_image)
File.open("signature.png", "wb") { |f| f.write(decoded_image) }

Here's an example in PHP:

$data_uri = "data:image/png;base64,iVBORw0K...";
$encoded_image = explode(",", $data_uri)[1];
$decoded_image = base64_decode($encoded_image);
file_put_contents("signature.png", $decoded_image);

Here's an example in C# for ASP.NET:

var dataUri = "data:image/png;base64,iVBORw0K...";
var encodedImage = dataUri.Split(',')[1];
var decodedImage = Convert.FromBase64String(encodedImage);
System.IO.File.WriteAllBytes("signature.png", decodedImage);

Removing empty space around a signature

If you'd like to remove (trim) empty space around a signature, you can do it on the server side or the client side. On the server side you can use e.g. ImageMagic and its trim option: convert -trim input.jpg output.jpg. If you don't have access to the server, or just want to trim the image before submitting it to the server, you can do it on the client side as well. There are a few examples how to do it, e.g. here or here and there's also a tiny library trim-canvas that provides this functionality.

Drawing over an image

Demo: https://jsfiddle.net/szimek/d6a78gwq/

License

Released under the MIT License.

signature_pad's People

Contributors

agilgur5 avatar andries-smit avatar avenla-mvirkkunen avatar bellaj avatar chevett avatar dananichev avatar dependabot[bot] avatar dynamoeffects avatar eleazan avatar indianakernick avatar jelhan avatar jimaek avatar jmak avatar jschaf avatar judx avatar juergengutsch avatar jurreantonisse avatar marmooo avatar mdabbas-cse avatar mymattcarroll avatar ndbroadbent avatar pierresh avatar rob-ot avatar rogerz avatar semantic-release-bot avatar stsrki avatar sumbad avatar szimek avatar tocsoft avatar uzitech 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  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

signature_pad's Issues

How to Save Image to LocalStorage

Finally got my pad working... its lovely. My question is... how do I get my signature image to set to localStorage? I'd like the base64 image or dataURI to store in local storage. My goal is to export the image into an html page which will be pdf'd. Any help with this would be great.

Autosave option?

Hello Szimek,
First of all, you made a amazing signature script! I really love the way of the lines go thicker and thinner. It really looks natural!

I have a small question. I added your script inside a form for a pricing agreement. If a customer agree with a repair price they have to sign it with their signature (your script) and submit the rest of the form. Now you have to press "Save" and then the "Submit" button to finish the actual script. Is there a possibility that a extra line of script auto save the signature when I hit "Submit" instead of pressing two buttons now?

Hope to hear from you soon.
Best regards,

Marco

Consider option to remove blank space around signature

I need to use the sig image later in my app and the blank space around the sig can be a bit of a pain. I added an option to remove this blank space so that the image returned when I get the data is the cropped signature. I'm not sure if this would be useful to others, and I am not able to git at the moment, so I'll just offer it here in case it proves helpful.

    SignaturePad.prototype.removeBlanks = function () {
        var imgWidth = this._ctx.canvas.width;
        var imgHeight = this._ctx.canvas.height;
        var imageData = this._ctx.getImageData(0, 0, imgWidth, imgHeight),
        data = imageData.data,
        getAlpha = function(x, y) {
            return data[(imgWidth*y + x) * 4 + 3]
        },
        scanY = function (fromTop) {
            var offset = fromTop ? 1 : -1;

            // loop through each row
            for(var y = fromTop ? 0 : imgHeight - 1; fromTop ? (y < imgHeight) : (y > -1); y += offset) {

                // loop through each column
                for(var x = 0; x < imgWidth; x++) {
                    if (getAlpha(x, y)) {
                        return y;                        
                    }      
                }
            }
            return null; // all image is white
        },
        scanX = function (fromLeft) {
            var offset = fromLeft? 1 : -1;

            // loop through each column
            for(var x = fromLeft ? 0 : imgWidth - 1; fromLeft ? (x < imgWidth) : (x > -1); x += offset) {

                // loop through each row
                for(var y = 0; y < imgHeight; y++) {
                    if (getAlpha(x, y)) {
                        return x;                        
                    }      
                }
            }
            return null; // all image is white
        };

        var cropTop = scanY(true),
        cropBottom = scanY(false),
        cropLeft = scanX(true),
        cropRight = scanX(false);

        var relevantData = this._ctx.getImageData(cropLeft, cropTop, cropRight-cropLeft, cropBottom-cropTop);
        this._canvas.width = cropRight-cropLeft;
        this._canvas.height = cropBottom-cropTop;
        this._ctx.clearRect(0, 0, cropRight-cropLeft, cropBottom-cropTop);
        this._ctx.putImageData(relevantData, 0, 0);
    };

FYI, credit for most of this code goes to http://stackoverflow.com/questions/12175991/crop-image-white-space-automatically-using-jquery

I imagine my need for this feature also grows from my using signature_pad on a larger tablet instead of a phone-size device.

displaying image

im trying to display the image using the img src where the data is still in the string format and it says could not load image. Im using firefox any ideas?

Save signature to sql database using asp.net c#

Hello, i am new to coding, im working on a project to capture client signatures, this signature is the best i found. may you assist me in saving the base64 string file into a sql database in asp.net c# instead of opening new window in browser.

Usability problem with orientationchange

Hi,

this is a very nice library and I'm (almost) 100% happy with it. Many thanks for your effort!

My only problem is a usability problem with orientationchange on mobile devices.

To have a consistent styling one has to change the size of canvas when user changes the orientation of his device (your demo does it too). Unfortunately that clears whole canvas.

The usability problem I see is, that the person who owns the device hands it to another person to sign something and then the device is handed back its very likely that the orientation will change unintentionally. And thus the signature gets lost .

I think I know why you delete the canvas on resize as you don't want to scale the image, right?

But maybe there is another solution for orientationchange so you don't have to delete the image and preserve it?

Maybe add pixels dynamically when width gets bigger?

This would lead to a square image when starting with portrait format and switching to landscape. So toDataUrl() should return only the image that is visible in current canvas size, so you can always change back to landscape format when an unintentional orientationchange event happened.

Or is something like that maybe already possible with current version?

Thanks for your time.

Saving as JPEG

I am trying to save the signature as a JPEG so that it can be used in JsPDF (which only accepts PNG).

When I do:

var img = signaturePad.toDataURL("image/jpeg", 100);

It does not get to the

SignaturePad.prototype.toDataURL

function but instead saves the object as JPG (resulting in a black img).

Is there a different way to save as JPG?

When scrollbar present, won't start drawing line in it's direction

E.g. when adding

<p style="margin-top: 100em">something to create a vertical scrollbar</p>

just before the </body> tag of the demo page, it won't allow to start drawing a vertical line. One can start drawing a horizontal line and keeping pen down draw up and down, too, but when starting with vertical movement the event is "swallowed" by the scrollbar.

How to put multiple signatures on 1 page

How,

I'm not a JS expert and I don't succeed in having more than 1 signature on a page. How can I have multiple var SignaturePad instances ?

Any idea or some short sample code to get me started ?

Thx,

Stefan

Lines coarse and staircasy on Android tablet

Wanted to run signature pad on an Android 4.1.1 tablet. The inbuilt browser seems not to support WebSockets (which we require), so installed Google Chrome. And the lines are very coarse and staircasy there, please see image attached, wrote "ABCDEF".

Any ideas on how to solve this would be greatly appreciated!

screenshot_2014-01-02-16-39-04

Optimize drawing of Bezier curves

Currently curves are drawn using 100 points. It could be faster to calculate approximated length first and then use it to decide how many points should be drawn.

Needs "change" event / callback.

In order for this to work properly in the context of angular (data-binding and such), there needs to be an "change" event that fires whenever a draw action is complete. I think it would be generally useful in many cases.

var token;
signaturePad.onchange = function () {
  clearTimeout(token);
  token = setTimeout(function () {
      signaturePad.toDataURL()
      // update ng-model
      // trigger ng-change
  }, 500);
};

Is that something you'd be willing to add?

getPaths for scalable Vectorgraphic

Would it be possible to support a "getPaths" method that returns a Array of X and Y Koordinates for each Stoke done on the SignaturePad?

This would be really helpful to minimize the Data that is transfered to the Server and it would open the possibility to scale the Signature on the Server without loosing too much quality.

I know that its not possible to generate such a smooth Signature as you do on client side with that method.

Can't get Pad to Work not sure why!

Im using the example code but can't get the signature to work... When you write on it, it does not show up.

My js looks like this..it is right below my jquery.min.js file and right below the: signature_pad.js file in my head:

(function(){
var wrapper = document.getElementById("signature-pad"),
clearButton = wrapper.querySelector("[data-action=clear]"),
saveButton = wrapper.querySelector("[data-action=save]"),
canvas = wrapper.querySelector("canvas"),
signaturePad;

    // Adjust canvas coordinate space taking into account pixel ratio,
    // to make it look crisp on mobile devices.
    // This also causes canvas to be cleared.
    function resizeCanvas() {
        var ratio =  window.devicePixelRatio || 1;
        canvas.width = canvas.offsetWidth * ratio;
        canvas.height = canvas.offsetHeight * ratio;
        canvas.getContext("2d").scale(ratio, ratio);
    }

    window.onresize = resizeCanvas;
    resizeCanvas();

    var signaturePad = new SignaturePad(canvas);

    clearButton.addEventListener("click", function (event) {
        signaturePad.clear();
    });

    saveButton.addEventListener("click", function (event) {
        if (signaturePad.isEmpty()) {
            alert("Please provide signature first.");
        } else {
            signaturePad.toDataURL();
        }
    });
    });

My html is the same as the example:

        <div class="m-signature-pad--footer">
          <div class="description">Sign above</div>
          <button class="button clear" data-action="clear">Clear</button>
          <button class="button save" data-action="save">Save</button>
        </div>
      </div>

Im not getting any errors in my console and the pad looks great. Just can't get it to initialize for the signature writting to work. What am i doing wrong? I searched the issues but nothing seems to show why its not working.

screen shot 2014-06-09 at 12 10 10 pm

pad not working

if i do this i get this error------- TypeError: wrapper is null signaturePad.js:2

var wrapper = document.getElementById("signature-pad"),
clearButton = wrapper.querySelector("[data-action=clear]"),
saveButton = wrapper.querySelector("[data-action=save]"),
canvas = wrapper.querySelector("canvas"),
signaturePad;

// Adjust canvas coordinate space taking into account pixel ratio,
// to make it look crisp on mobile devices.
// This also causes canvas to be cleared.
function resizeCanvas() {
var ratio = window.devicePixelRatio || 1;
canvas.width = canvas.offsetWidth * ratio;
canvas.height = canvas.offsetHeight * ratio;
canvas.getContext("2d").scale(ratio, ratio);
}

window.onresize = resizeCanvas;
resizeCanvas();

signaturePad = new SignaturePad(canvas);

clearButton.addEventListener("click", function (event) {
signaturePad.clear();
});

saveButton.addEventListener("click", function (event) {
if (signaturePad.isEmpty()) {
alert("Please provide signature first.");
} else {
signaturePad.toDataURL();
}
});
//====================================================================
if i do this i get ----TypeError: canvas is null signaturePad.js:12

var wrapper = document.getElementById("signature-pad");
var clearButton = document.querySelector("[data-action=clear]");
var saveButton = document.querySelector("[data-action=save]");
var canvas = document.querySelector("canvas");
var signaturePad;

// Adjust canvas coordinate space taking into account pixel ratio,
// to make it look crisp on mobile devices.
// This also causes canvas to be cleared.
function resizeCanvas() {
var ratio = window.devicePixelRatio || 1;
canvas.width = canvas.offsetWidth * ratio;
canvas.height = canvas.offsetHeight * ratio;
canvas.getContext("2d").scale(ratio, ratio);
}

window.onresize = resizeCanvas;
resizeCanvas();

signaturePad = new SignaturePad(canvas);

clearButton.addEventListener("click", function (event) {
signaturePad.clear();
});

saveButton.addEventListener("click", function (event) {
if (signaturePad.isEmpty()) {
alert("Please provide signature first.");
} else {
signaturePad.toDataURL();
}
});

//======================================================
here is my html and i have the <script type="text/javascript" src="../scripts/signature_pad.js"></script> file included

<div class="m-signature-pad--footer">
  <div class="description">Sign above</div>
  <button class="button clear" data-action="clear">Clear</button>
  <button class="button save" data-action="save">Save</button>
</div>

Cannot draw on signature pad if dynamically included from WebSocket onMessage event

Hi

First of all - really great signature pad, simple and efficient and good looking.

Trying to include it in a customer display at a retail store point of sale terminal. As items are rung up in a standalone Java Swing app the list is echoed to an HTML page displayed in a browser (Firefox) running on an independent tablet (Windows 8 - for compatibility reasons w/ other software - sigh!) via WebSocket push. When customer pays with credit card the signature pad is included below the list for the customer to sign and the signature to be stored in the database along with the receipt.

The signature pad displays nicely below the list of items, but apparently due to its being included from the onMessage WebSocket JavaScript event handler, touch events from the touch screen are not forwarded to the signature pad event handler (checked w/ console.log). Instead, the whole page is being moved up/down.

Any idea how this can be fixed would be greatly appreciated.

Multiple Signatures on one page

The way the even listener operates, it makes it hard to do multiple, different, signatures.

Do you have any suggestions on handling this?

Question about the mathematics

The calculation of the control points used to define a Bezier curve that goes through 4 points sampled by the touch events is not exaplined in the Square article. Can you point me to a reference for that calculation?

tmp = this._calculateCurveControlPoints(points[0], points[1], points[2]);
c2 = tmp.c2;
tmp = this._calculateCurveControlPoints(points[1], points[2], points[3]);
c3 = tmp.c1;
curve = new Bezier(points[1], c2, c3, points[2]);

Reject points generated by resting hand

Signature_pad does a great job of capturing finger-drawn signatures, but if a stylus is being used, it tends to capture a lot of artifacts generated by the user resting their hand on the glass while signing. This is particularly true on a larger device, like an iPad.

It would be great if there were some filter built in that would reject points too far away from the current curve to be legitimate signature points. An example of the problem is attached. Any thoughts on how to accomplish this?

efc

Add usage docs

Add docs for public methods:

signature = new SignaturePad(canvas);
signature.clear();
signature.toDataURL();

PNG Alpha

Hello, When saving the signature pad as a PNG file using PHP we have noticed it gets saved in Alpha Channel format, however our application requires a non-Alpha PNG file. Is there anything we can change in the signature pad javascript or canvas that would stop it from being saved as Alpha? Thanks, Daryl Tomkins.

Rendering signature image with same aspect ratio regardless of window size

I can't seem to get the aspect ratio of the saved signature image to be the same across the different browser sizes and devices I use.

For example: Signing on a laptop vs signing on a phone vs signing on a smaller window on a computer doesn't have the same image aspect ratio.

I made my #sigPadContainer to have a responsive aspect ratio depending on the size of the screen but my signatures are off by 50-200 pixels. Could anyone possibly give some insight in how I could get the same aspect ratio of the image?

I am using the default .min.js of the signature pad.

needs angular directive

This will be my first time writing an angular directive. I'll come back here and pull request when I'm done.

Save and Clear Buttons

First of all, Thank you for sharing the wonder signature pad source code! I am very new and very inexperience with this whole new concept. Please help!

I am trying to implement the signature pad into an existing form. Everything work great so far. However, every time I click the Save or Clear buttons, it submitted my whole form instead of just clear the drawn signature. Also, every time I click the Save button, I can see it open another window with the signature .png file but it also submitted my form.

  1. How can I get the Clear button to just clear the drawn image?
  2. How can I use the Save button to replay the signature pad and display the image?

Any help/suggestion would be greatly appreciated!

Thank you,
TD

Signature not working on Samsung.

Signature pad is not working on Samsung device if the user needs to scroll. Everything appears to work correctly if the signature pad is at the very top of the page. If i need to scroll down the page to use the pad the drawing in not accurate. Works on chrome but not stock browser.

how to validate input?

hello i am having trouble figuring out how to verify if the user has signed anything at all in the box. please help. thanks

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.