Code Monkey home page Code Monkey logo

server's Introduction

GraphQL for .NET

License codecov Nuget Nuget GitHub Release Date GitHub commits since latest release (by date) Size

GitHub contributors Activity Activity Activity

❤️ Become a backer! ❤️ Backers on Open Collective Sponsors on Open Collective
💲 Get paid for contributing! 💲 GitHub issues by-label GitHub closed issues by-label

This is an implementation of Facebook's GraphQL in .NET.

Now the specification is being developed by the GraphQL Foundation.

This project uses a lexer/parser originally written by Marek Magdziak and released with a MIT license. Thank you Marek!

Provides the following packages:

Package Downloads NuGet Latest
GraphQL Nuget Nuget
GraphQL.SystemTextJson Nuget Nuget
GraphQL.NewtonsoftJson Nuget Nuget
GraphQL.MemoryCache Nuget Nuget
GraphQL.DataLoader Nuget Nuget
GraphQL.MicrosoftDI Nuget Nuget

You can get all preview versions from GitHub Packages. Note that GitHub requires authentication to consume the feed. See here.

Documentation

  1. http://graphql-dotnet.github.io - documentation site that is built from the docs folder in the master branch.
  2. https://graphql.org/learn - learn about GraphQL, how it works, and how to use it.

Debugging

All packages generated from this repository come with embedded pdb and support Source Link. If you are having difficulty understanding how the code works or have encountered an error, then it is just enough to enable Source Link in your IDE settings. Then you can debug GraphQL.NET source code as if it were part of your project.

Installation

1. GraphQL.NET engine

This is the main package, the heart of the repository in which you can find all the necessary classes for GraphQL request processing.

> dotnet add package GraphQL

2. Serialization

For serialized results, you'll need an IGraphQLSerializer implementation. We provide several serializers (or you can bring your own).

> dotnet add package GraphQL.SystemTextJson
> dotnet add package GraphQL.NewtonsoftJson

Note: You can use GraphQL.NewtonsoftJson with .NET Core 3+, just be aware it lacks async writing capabilities so writing to an ASP.NET Core 3.0 HttpResponse.Body will require you to set AllowSynchronousIO to true as per this announcement; which isn't recommended.

3. Document Caching

The recommended way to setup caching layer (for caching of parsed GraphQL documents) is to inherit from IConfigureExecution interface and register your class as its implementation. We provide in-memory implementation on top of Microsoft.Extensions.Caching.Memory package.

> dotnet add package GraphQL.MemoryCache

For more information see Document Caching.

4. DataLoader

DataLoader is a generic utility to be used as part of your application's data fetching layer to provide a simplified and consistent API over various remote data sources such as databases or web services via batching and caching.

> dotnet add package GraphQL.DataLoader

For more information see DataLoader.

Note: Prior to version 4, the contents of this package was part of the main GraphQL.NET package.

5. Subscriptions

DocumentExecuter can handle subscriptions as well as queries and mutations. For more information see Subscriptions.

6. Advanced Dependency Injection

Also we provide some extra classes for advanced dependency injection usage on top of Microsoft.Extensions.DependencyInjection.Abstractions package.

> dotnet add package GraphQL.MicrosoftDI

For more information see Thread safety with scoped services.

Examples

https://github.com/graphql-dotnet/examples

You can also try an example of GraphQL demo server inside this repo - GraphQL.Harness. It supports the popular IDEs for managing GraphQL requests and exploring GraphQL schema:

Ahead-of-time compilation

GraphQL.NET supports ahead-of-time (AOT) compilation for execution of code-first schemas with .NET 7. This allows for use within iOS and Android apps, as well as other environments where such features as JIT compilation or dynamic code generation are not available. It may be necessary to explicitly instruct the AOT compiler to include the .NET types necessary for your schema to operate correctly. Of particular note, your query, mutation and subscription types' constructors may be trimmed; register them in your DI engine to prevent this. Also, Field(x => x.MyField) for enumeration values will require manually adding a mapping reference via RegisterTypeMapping<MyEnum, EnumerationGraphType<MyEnum>>(). Please see the GraphQL.AotCompilationSample for a simple demonstration of AOT compilation. Schema-first and type-first schemas have additional limtations and configuration requirements. AOT compilation has not been tested with frameworks other than .NET 7 on Windows and Linux (e.g. Xamarin).

Training

Upgrade Guides

You can see the changes in public APIs using fuget.org.

Basic Usage

Define your schema with a top level query object then execute that query.

Fully-featured examples can be found here.

Hello World

using System;
using System.Threading.Tasks;
using GraphQL;
using GraphQL.Types;
using GraphQL.SystemTextJson; // First add PackageReference to GraphQL.SystemTextJson

var schema = Schema.For(@"
  type Query {
    hello: String
  }
");

var root = new { Hello = "Hello World!" };
var json = await schema.ExecuteAsync(_ =>
{
  _.Query = "{ hello }";
  _.Root = root;
});

Console.WriteLine(json);

Schema First Approach

This example uses the GraphQL schema language. See the documentation for more examples and information.

public class Droid
{
  public string Id { get; set; }
  public string Name { get; set; }
}

public class Query
{
  [GraphQLMetadata("droid")]
  public Droid GetDroid()
  {
    return new Droid { Id = "123", Name = "R2-D2" };
  }
}

var schema = Schema.For(@"
  type Droid {
    id: ID
    name: String
  }

  type Query {
    droid: Droid
  }
", _ => {
    _.Types.Include<Query>();
});

var json = await schema.ExecuteAsync(_ =>
{
  _.Query = "{ droid { id name } }";
});

Parameters

public class Droid
{
  public string Id { get; set; }
  public string Name { get; set; }
}

public class Query
{
  private List<Droid> _droids = new List<Droid>
  {
    new Droid { Id = "123", Name = "R2-D2" }
  };

  [GraphQLMetadata("droid")]
  public Droid GetDroid(string id)
  {
    return _droids.FirstOrDefault(x => x.Id == id);
  }
}

var schema = Schema.For(@"
  type Droid {
    id: ID
    name: String
  }

  type Query {
    droid(id: ID): Droid
  }
", _ => {
    _.Types.Include<Query>();
});

var json = await schema.ExecuteAsync(_ =>
{
  _.Query = $"{{ droid(id: \"123\") {{ id name }} }}";
});

Roadmap

Grammar / AST

Operation Execution

  • Scalars
  • Objects
  • Lists of objects/interfaces
  • Interfaces
  • Unions
  • Arguments
  • Variables
  • Fragments
  • Directives
    • Include
    • Skip
    • Custom
  • Enumerations
  • Input Objects
  • Mutations
  • Subscriptions
  • Async execution

Validation

  • Arguments of correct type
  • Default values of correct type
  • Fields on correct type
  • Fragments on composite types
  • Known argument names
  • Known directives
  • Known fragment names
  • Known type names
  • Lone anonymous operations
  • No fragment cycles
  • No undefined variables
  • No unused fragments
  • No unused variables
  • Overlapping fields can be merged
  • Possible fragment spreads
  • Provide non-null arguments
  • Scalar leafs
  • Unique argument names
  • Unique directives per location
  • Unique fragment names
  • Unique input field names
  • Unique operation names
  • Unique variable names
  • Variables are input types
  • Variables in allowed position
  • Single root field

Schema Introspection

GraphQL.NET supports introspection schema from October 2021 spec with some additional experimental introspection extensions.

Publishing NuGet packages

The package publishing process is automated with GitHub Actions.

After your PR is merged into master or develop, preview packages are published to GitHub Packages.

Stable versions of packages are published to NuGet when a release is created.

Contributors

This project exists thanks to all the people who contribute.

PRs are welcome! Looking for something to work on? The list of open issues is a great place to start. You can help the project simply respond to some of the asked questions.

The default branch is master. It is designed for non-breaking changes, that is to publish versions 7.x.x. If you have a PR with some breaking changes, then please target it to the develop branch that tracks changes for v8.0.0.

Backers

Thank you to all our backers! 🙏 Become a backer.

Contributions are very much appreciated and are used to support the project primarily via bounties paid directly to contributors to the project. Please help us to express gratitude to those individuals who devote time and energy to contributing to this project by supporting their efforts in a tangible means. A list of the outstanding issues to which we are sponsoring via bounties can be found here.

Sponsors

Support this project by becoming a sponsor. Your logo will show up here with a link to your website. Become a sponsor.

server's People

Contributors

alexcmoss avatar benmccallum avatar boulc avatar dependabot[bot] avatar dsilence avatar gha-zund avatar imolorhe avatar jeffw-wherethebitsroam avatar joemcbride avatar johnrutherford avatar kamsar avatar kenrim626 avatar mungojam avatar nicholashmoss avatar pekkah avatar phillip-haydon avatar rajmondburgaj avatar rehansaeed avatar ricardo-salgado-tekever avatar ronnelsantiago avatar rose-a avatar runeanielsen avatar sahb1239 avatar shane32 avatar sharppanda avatar simoncropp avatar sonic198 avatar sungam3r avatar superslowloris avatar wakemaster39 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

server's Issues

WebSockets stop responding if browser closes connection

We noticed that the WebSockets middleware would stop responding (and enter an endless loop of errors) if a client closed its connection.

It looks like the problem is here. Unless I'm mistaken, the loop should abort if completed, canceled, or closed, so each || should be &&.

UserContext or authorization for WebSockets?

I saw in this comment how to implement authentication. That's more or less working, but how do I implement authorization (determining whether a user is actually authorized for a particular subscription)?

For my HTTP requests, my controller code sets the GraphQL UserContext with user information that my Query and Mutation objects can then use. (I'm using my own controller code instead of GraphQL .NET Server's HTTP middleware.) However, for WebSockets, I don't see any way for a IOperationMessageListener to access or set a context for the Query/Mutation/Subscription objects to use.

Ideas or suggestions?

Thanks!

nuget publish

Now that 3.0.0 is out. Would it be possible to publish it to nuget?

Handle protocol messages

  • public const string GQL_CONNECTION_INIT = "connection_init"; // Client -> Server
  • public const string GQL_CONNECTION_ACK = "connection_ack"; // Server -> Client
  • public const string GQL_CONNECTION_ERROR = "connection_error"; // Server -> Client
  • public const string GQL_CONNECTION_KEEP_ALIVE = "ka"; // Server -> Client
  • public const string GQL_CONNECTION_TERMINATE = "connection_terminate"; // Client -> Server
  • public const string GQL_START = "start"; // Client -> Server
  • public const string GQL_DATA = "data"; // Server -> Client
  • public const string GQL_ERROR = "error"; // Server -> Client
  • public const string GQL_COMPLETE = "complete"; // Server -> Client
  • public const string GQL_STOP = "stop"; // Client -> Server

Mutations over Websocket

According to the Apollo web socket transport implementation, a websocket is suppose to be able to handle Queries and Mutation in addition to Subscriptions. I was playing around with attempting to send a mutation over the websocket channel but the response back from this is always a GQL_ERROR package with the payload of both the data and the errors being null, which makes it very difficult to track down where the error actually occurs.

Even though the Subscription has stopped, the Server keeps on sending data to the Client

Problem:
Data for stopped subscriptions continues to flow to the Client.

Version:
Master branch

How to reproduce:
We are using the Apollo client with React, and the faulty behavior occurs when we unmount and remount components that subscribe to data. We attached an image that shows the issue in the Network Panel in Chrome

Suggested fix:
So far we have not debugged the codebase, but just wanted to raise the issue. You might immediately know what is going on. Let us know if you need help to further investigate this issue. We can provide a small test project that reproduces the problem.

stream-after-stop

Not using UseMiddleWare api

The middleware is not currently using the UseMiddleWare-api, which I think it should be.
This can be solved in the 'Startup.Configure'-function, the following way:

app.UseMiddleware<<ChainCompanySchema>>();

And next to that, having this function in the ITransport-interface (and inheriting classes):
async Task Invoke(HttpContext context)

Issue with Websockets and Firefox

I was getting the following error in most of the browser .
image

Chrome and opera allows to ignore but not in IE and Firefox . There is a possible fix given in the following URL .
Can I Provide a pull request for the same.

Logging

I think we should add logging using .NET Core Logging for the following:

  • Queries
  • Errors

[Docs] Updates?

Just following the install guide and there's a few things that may be outdated or I need help with.

  • Looks like it's being released on the nuget gallery now, do we need the myget feed?
  • Looks like dotnet add command requires the package specifier now. dotnet add package ...
  • Looks like the UI (GraphiQL and Playground) aren't included in the nuget package. I couldn't use them as the setup suggested. Will they become available in this package or even a new one?

SignalR (Core) transport

It would be nice to have an Apollo Link for client side using the new SignalR and have a transport compatible with that client.

ReceiveAsync and SendAsync can be called simultaneously, but at most one outstanding operation for each of them is allowed at the same time

This is just a sneaking suspicion, but I'd loved to get a discussion going so I might be able to track down the errors I'm experiencing using this library.
When we saturate the Web Socket connection with a lot of outbound traffic we sometimes get this exception:

System.InvalidOperationException: TODO, RESX: net_Websockets_AlreadyOneOutstandingOperation;

This is although the wrong Exception Message, currently beeing fixed in dotnet core and is tracked in aspnet/WebSockets#207

The actual Exception Message is "There is already one outstanding 'SendAsync' call for this WebSocket instance. ReceiveAsync and SendAsync can be called simultaneously, but at most one outstanding operation for each of them is allowed at the same time."

When this happens the Web Socket connection is not torn down correctly, but still open between the Client and Server. But no data is no longer coming through as the server side WebSocket client is in a bad state.

As stated in the WebSocket SendAsync-method documentation https://msdn.microsoft.com/en-us/library/system.net.websockets.websocket.sendasync(v=vs.110).aspx
"This operation will not block. The returned Task object will complete after the data has been sent on the WebSocket. Exactly one send and one receive is supported on each WebSocket object in parallel."

So why would this happen?

I suspect the culprit might be in SubscriptionHandle.cs
public void OnNext(object value) { var json = _documentWriter.Write(value); _messageWriter.WriteMessageAsync(new OperationMessage { Id = Op.Id, Type = MessageTypes.GQL_DATA, Payload = JObject.Parse(json) }).GetAwaiter().GetResult(); } where I believe you shortcut the async nature of WriteMessageAsync by calling GetAwaiter().GetResult(), which would allow multiple outstanding operations at a time.

I would love to contribute a fix to this, but I am currently a bit stuck. So any insight would be appreciated.

Building usercontext using service

Right now the userContext is built using the property public Func<HttpContext, object> BuildUserContext { get; set; } in GraphQLHttpOptions.

In order to request services you have to RequestServices property on the HttpContext in order to get the IServiceProvider. I would however recommend another approach a service was dependency injected into the GraphQLHttpMiddleware such that this service can use inversion of control.

I will submit a PR later for this issue.

Nice work here!

Not really an issue, other than an issue of this being AWESOME.

Ran the sample, worked great. Kudos! 👍

No .Net 4.5 support

Hey,

Would it be possible to add support for .Net framework. Currently this only supports .net core, thanks.

Closing websocket

Currently managing the lifetime of the websocket connection is not handled "correctly". This should be improved.

Target .NET Standard

Hi, any reason why you are choosing to target .NET Core? Why not target .NET Standard instead? That way it is also supported in .NET Framework

Union of two libraries

Hi, i have been working on integrating the GraphQL lib in AspNetCore https://github.com/deinok/graphql-server-aspnetcore

We are using this in production in our org and i think that it would be a great idea merge the two libs.
Taking the best of the two. For Example:

  • My version have GraphiQL ready.
  • Your version have a good Subscription support.
  • Etc...

Also will be happy to help maintaining this library.

Playground endpoint http/https

When loading Playground through a https uri, I get the following errors:

Mixed Content: The page at 'https://<my graphql api playground>' was loaded over HTTPS, but requested an insecure resource 'http://<my graphql api>'. 
This request has been blocked; the content must be served over HTTPS.

I think the source can be found here:
https://github.com/graphql-dotnet/server/blob/master/src/Ui.Playground/Internal/playground.cshtml#L54
But I don't know how to make the check to see if the endpoint should be http or https.

Update README

Update readme instructions to match the current version. Before update see samples for example usage.

WebSocketReaderPipeline goes into infinite loop of WebSocketException when connection is closed without a proper handshake

Hi,
In my case it's very easy to reproduce:

  1. Start Server & WebApp and subscribe using Apollo graphql.
  2. Refresh the page.

Server will start throwing:

'System.Net.WebSockets.WebSocketException' in System.Private.CoreLib.dll

Which even caught in the try/catch block doesn't properly close that connection but goes into infinite loop.

What helps:
Changing line 73:

while (!source.Completion.IsCompleted || !source.Completion.IsCanceled || !_socket.CloseStatus.HasValue)

to:

while (!source.Completion.IsCompleted && !source.Completion.IsCanceled && !source.Completion.IsFaulted && !this._socket.CloseStatus.HasValue)

app.UseWebSockets()

From when I last used websockets, I believe the app.UseWebSockets() adds it using the "feature" collection. So I believe app.UseWebSockets() can be called multiple times and it will only be added once. So you should be able to add that to your endpoint extension so users don't have to do it themselves.

Repo rename

@joemcbride maybe rename this repo to graphql-dotnet-server as it closer matches the functionality. It already contains a middlware for both normal json queries and subscription transport. I'll separate the middleware for running normal queries to it's own project and nuget package. That should help with some of the requests for "builtin" middlware on main repo.

Question: When working with Scoped services

This is not an issue, just a general question I hope someone can provide some insight for.

We are currently trying to create a Graphql endpoint with an Entity Framework based service layer. Furthermore we try to utilize Dependency Injection in order to inject the dbContext in our Mutation-, Query- and Subscription-implementations. Using Dependency Injection has although proven difficult as the injected dbContext is Scoped by nature. This seems to conflict with how this library require(?) that everything is registered as a Singleton. That said, I believe I've solved it for the HTTP-middleware by creating a custom HTTP-Middleware where the Schema is resolved in the Invoke-method instead of the constructor. The WebSocket-Middleware is although a bit more complicated, and we've not found any elegant solutions to this.

So any advice on using Subscriptions together with a Schema that relies on scoped dependencies will be much appreciated.

Question: Authentication over Websocket

We are currently trying to authenticate the clients before allowing them to set up subscriptions. A common way of doing this seems to be to add a token to the payload on the initial connection ( connection_init):

{"type": "connection_init", "payload": {"token": "123456"}}}

This approach is seen here

We have tried to access the payload through OperationMessageContext in the BuildUserContext delegate, but we are not able to get the payload for the initial connection, just the subsequent connections after the ack is received. The intention is to build a usercontext there and do further checks in the validation rules before allowing the subscription.

Is this currently possible in the library or is there another preferred way of doing an initial authentication?

How do we use this with Entity Framework?

The example Chat.cs uses an ISubject which works fine.

However for me project I get the data from the server using Entity Framework Core.

public class AppSubscription : ObjectGraphType<object>
{
    public AppSubscription(ICommentService commentService)
    {
        AddField(new EventStreamFieldType
        {
            Name = "commentAdded",
            Type = typeof(CommentPayload),
            Resolver = new FuncFieldResolver<Comment.Models.Comment>(c => {
                return (Comment.Models.Comment)c.Source;
            }),
            Subscriber = new EventStreamResolver<Comment.Models.Comment>(c => {
                var comments = repository.GetComments().ToObservable;

                return comments;
            }),
        });
    }
}

public class CommentsRepository {
    public virtual IQueryable<Comment> GetComments()
    {
        return Context.Set<Comment>();
    }
}

The above gives the exception, it seems to call OnCompleted before unSubscribe is assigned which results in Unsubscribe.Dispose() throwing a null reference error:

System.NullReferenceException: Object reference not set to an instance of an object.
at GraphQL.Server.Transports.WebSockets.SubscriptionHandle.OnCompleted()
at System.Reactive.AnonymousSafeObserver1.OnCompleted() at System.Reactive.Linq.ObservableImpl.Merge1.MergeConcurrent.OnCompleted()
at System.Reactive.Linq.ObservableImpl.Select2._.OnCompleted() at System.Reactive.Linq.ObservableImpl.Catch2..OnCompleted()
at System.Reactive.Linq.ObservableImpl.SelectMany2.SelectManyImpl.OnCompleted() at System.Reactive.Linq.ObservableImpl.Select2.
.OnCompleted()
at System.Reactive.Linq.ObservableImpl.ToObservable1._.LoopRec(State state, Action1 recurse)
at System.Reactive.Concurrency.Scheduler.InvokeRec1[TState](IScheduler scheduler, Pair2 pair) at System.Reactive.Concurrency.ScheduledItem2.InvokeCore()
at System.Reactive.Concurrency.CurrentThreadScheduler.Trampoline.Run(SchedulerQueue1 queue) at System.Reactive.Concurrency.CurrentThreadScheduler.Schedule[TState](TState state, TimeSpan dueTime, Func3 action)
at System.Reactive.Concurrency.LocalScheduler.Schedule[TState](TState state, Func3 action) at System.Reactive.Producer1.SubscribeRaw(IObserver1 observer, Boolean enableSafeguard) at GraphQL.Server.Transports.WebSockets.SubscriptionHandle..ctor(OperationMessage op, IObservable1 stream, IJsonMessageWriter messageWriter, IDocumentWriter documentWriter)
at GraphQL.Server.Transports.WebSockets.SubscriptionProtocolHandler1.<>c__DisplayClass14_0.<AddSubscription>b__0(String connectionId) at System.Collections.Concurrent.ConcurrentDictionary2.AddOrUpdate(TKey key, Func2 addValueFactory, Func3 updateValueFactory)
at GraphQL.Server.Transports.WebSockets.SubscriptionProtocolHandler`1.d__14.MoveNext()

If I replace the above code with the example code it works fine, so it seems to be a problem with how I am using it with EF:

public class AppSubscription : ObjectGraphType<object>
{
    private readonly ISubject<Comment.Models.Comment> _messageStream = new ReplaySubject<Comment.Models.Comment>(1);

    public AppSubscription()
    {
        AddField(new EventStreamFieldType
        {
            Name = "commentAdded",
            Type = typeof(CommentPayload),
            Resolver = new FuncFieldResolver<Comment.Models.Comment>(c => {
                return (Comment.Models.Comment)c.Source;
            }),
            Subscriber = new EventStreamResolver<Comment.Models.Comment>(c => {
                var comments = _messageStream.AsObservable();

                return comments.ToObservable();
            }),
        });
    }
}

Ui.Abstractions

In order to simplyficate the process of creating new UI packages.
We should create a lib that uses all this kind of abstractions.
Most of the code is the same except the *.cshtml

Subscription examples not working

First, thanks for this package.

Browser: Latest Chrome

I cloned the examples and ran samples.server through visual studio.

I followed the examples with 2 different windows. The query works fine, the mutation updates the query successful when the page is reloaded as expected but the subscriptions don't work. They just hang on 'listening' with no changes in the response window.

Console error:

client.js:363 WebSocket connection to 'ws://localhost:60340/graphql' failed: Error during WebSocket handshake: Unexpected response code: 500

No Settings & UserContext

At the current moment, there is no possibility to use settings in the middleware, like in the example of the GraphQL project.
Currently, I have hacked my way through the project to get this working (I added it to all Contexts etc), but it would be nice to have a clean way to get this implemented.

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.