• Stars
    star
    178
  • Rank 213,942 (Top 5 %)
  • Language
    JavaScript
  • Created over 8 years ago
  • Updated over 1 year ago

Reviews

There are no reviews yet. Be the first to send feedback to the community and the maintainers!

Repository Details

Run and debug Alexa skills on the command-line. Create bots. Run them in Slack. Run them anywhere!

Chatskills

Run Alexa apps on the command-line. Run them in Slack. Run them anywhere! Supports Amazon Alexa skills and intents.

$ npm install chatskills

Chatskills is a quick and easy way to run Alexa apps outside of Amazon. Easily create your skills and intents and run them right on the command-line!

Chatskills does not require a server and can run directly in the console. It can also run on the web, or Slack, or anywhere. It handles requests from multiple users and maintains session memory. When a user starts a conversation with one of the skills, the skill continues to execute within a session context, until the skill terminates.

Here's what an Amazon Alexa app looks like, running on the command-line.

Example

> chatskills, ask hello to say hi.
Hello, World!
> chatskills, ask horoscope for Scorpio.
Things are looking up today for Scorpio.
> chatskills, ask funny to tell me a joke
Knock knock.
> who's there?
Banana.
> banana who
Knock knock.
> whos there
Orange.
> orange who?
Orange you glad I didn't say banana?

In this example, the user accesses three different skills: hello, horoscope, and funny.

Usage

Using chatskills is easy. Use the Alexa syntax to add a new skill, then create some intents. Here's a simple example.

var chatskills = require('chatskills');

// Create a skill.
var hello = chatskills.app('hello');

// Create an intent.
hello.intent('helloWorld', {
    'slots': {},
    'utterances': [ '{to |}{say|speak|tell me} {hi|hello|howdy|hi there|hiya|hi ya|hey|hay|heya}' ]
    },
    function(req, res) {
        res.say('Hello, World!');
    }
);

// Respond to input.
chatskills.respond('chatskills, ask hello to say hi', function(response) {
    console.log(response);
});

In the above example, the utterances grammar automatically expands to match on the following phrases:

helloWorld      to say hi
helloWorld      say hi
helloWorld      to speak hi
helloWorld      speak hi
helloWorld      to tell me hi
helloWorld      tell me hi
helloWorld      to say hello
helloWorld      say hello
helloWorld      to speak hello
helloWorld      speak hello
helloWorld      to tell me hello
helloWorld      tell me hello
helloWorld      to say howdy
...

To interact with the chatbot using this skill, say any of the target phrases. In the above example, we've used the phrase "to say hi", but you can match against any of the generated phrases. For example:

> chatskills, ask hello to tell me hi
Hello, World!
> chatskills, ask hello to say hello
Hello, World!
> chatskills, ask hello to say howdy
Hello, World!

Reading from the Console

To create a chatbot that runs locally on the console, just include a loop for reading input.

var readlineSync = require('readline-sync');

// Console client.
var text = ' ';
while (text.length > 0 && text != 'quit') {
    text = readlineSync.question('> ');

    // Respond to input.
    chatskills.respond(text, function(response) {
        console.log(response);
    });
}

If you're using async calls in your skills (such as request, etc) then you'll want to use an async loop, instead of the while loop above. Here's an example.

Reading from Slack

You don't have to use just the console! You can run your chatbot anywhere, like Slack. See here for full example.

var SlackBot = require('slackbots');
var bot = new SlackBot({ token: token, name: 'awesome' });

// Listen to slack messages.
bot.on('message', function(message) {
    // Reply to humans.
    if (message.type == 'message' && message.text && message.subtype != 'bot_message') {
        var author = getUserById(message.user);
        var channel = getChannelById(message.channel);

        // Respond to input, use author.name as the session id.
        chatskills.respond(message.text, author.name, function(response) {
            if (channel) {
                // Public channel message.
                bot.postMessageToChannel(channel.name, response);
            }
            else {
                // Private message.
                bot.postMessageToUser(author.name, response);
            }
        });
    }
});

Chatskills running on Slack

Creating a Skill

Skills are programs that your chatbot can run. They consist of intents, which are composed of utterances (phrases to match from the user input), responses, and session memory. Each skill can access session memory, so you can store and retrieve variables to help with responding intelligently to the user.

Here's an example of creating a new skill, named "horoscope".

var horoscope = chatskills.app('horoscope');

Creating an Intent

Skills are made up of intents. This is where input from the user is matched against an array of utterances. When a match is found, that intent is executed. An intent can get/set variables in the user session by calling req.get('variable') and req.set('variable', value). An intent can output a response by calling res.say('hello').

Here's an example of creating a new intent for the skill "horoscope".

horoscope.intent('predict', {
    'slots': {'SIGN':'LITERAL'},
    'utterances': [ 'for {signs|SIGN}' ]
    },
    function(req, res) {
        res.say('Things are looking up today for ' + req.get('SIGN') + '.');
    }
);

This intent can be interacted with like this:

> chatskills, ask horoscope for Scorpio
Things are looking up today for Scorpio.

Launching a Skill

There are two ways to begin running a skill.

Using an Intent to "Run"

The first way to launch a skill is to create an intent such as, "run". This would let you enter: "chatskills, ask [skillname] to run.". Provided the intent has a return value of true (to keep the session alive), your skill will now be running.

An example of a "run" skill can be found in guessinggame.

app.intent('run', {
        "slots": {},
        "utterances": ["{to|} {run|start|go|launch}"]
    }, function(req, res) {
        var prompt = "Guess a number between 1 and 100!";
        res.say(prompt).reprompt(prompt).shouldEndSession(false);
    }
);

Using the Launch Method

The second way to launch a skill is to create a launch method to automatically run upon starting your app. Then simply call chatskills.launch(app) to start your skill. You can pass the skill or the name of the skill. You can also provide an optional unique sessionId.

Example: chatskills.launch(app) or chatskills.launch('horoscope') or chatskills.launch('horoscope', 'some-unique-id').

Here's a complete example.

var chatskills = require('./lib/chatskills');
var readlineSync = require('readline-sync');

// Create a skill.
var hello = chatskills.app('hello');

// Launch method to run at startup.
hello.launch(function(req,res) {
    res.say("Ask me to say hi!");

    // Keep session open.
    res.shouldEndSession(false);
});

// Create an intent.
hello.intent('helloWorld', {
    'slots': {},
    'utterances': [ '{to |}{say|speak|tell me} {hi|hello|howdy|hi there|hiya|hi ya|hey|hay|heya}' ]
    },
    function(req, res) {
        res.say('Hello, World!');
    }
);

// Start running our skill.
chatskills.launch(hello);

// Console client.
var text = ' ';
while (text.length > 0 && text != 'quit') {
    text = readlineSync.question('> ');

    // Respond to input.
    chatskills.respond(text, function(response) {
        console.log(response);
    });
}

Starting and Ending a Session

When a user provides input, the input is matched against each skill and their list of intents. When a match is found, a new session starts, and the skill begins executing.

When a session has started for a user, the activated skill's intent can get/set variable values within the session. This allows you to store and retrieve data.

While a session is open for a user, all input from the user is directed to the activated skill. In this manner, the user does not need to re-request a skill ("chatskills, ask hello to say hi"). Instead, the user can simply provide text, which will be matched against the currently executing skill's intents.

An intent can keep a session open by returning true or by calling res.shouldEndSession(false) and end a session by returning false or by calling res.shouldEndSession(true). An intent may also omit a return statement, which is the same as returning false.

For an example using session, see the horoscope skill. Notice, the intent asks the user a question and then returns true to keep the session going. The intent only returns false once a valid response is given, thus, ending the session.

In summary, when a user session is open, all input from the user is directed to the skill. When a user session is ended, input from the user must be received in the format, "chatskills, ask [SKILL] text", to execute a new skill.

Session Timeout

The default session timeout is 1 hour of no input from the user. To change the session timeout, set chatskills.timeout = 3600, where the value is specified in seconds. To disable session timeout, set the value to 0.

Changing the Chatbot Name

The default chatbot name is "chatskills". All requests to execute a skill must begin with the chatbot name. For example, "chatskills, ask hello to say hi". To customize the chatbot name, use the following:

chatskills.name('awesome');

Verbose Output

To display warnings and errors, set chatskills.verbose = true.

Schema and Utterances

Chatskills uses alexa-app to generate many sample utterances from your intents. For a more detailed description of utterances, see here.

Schema Syntax

Pass an object with two properties: slots and utterances.

app.intent('sampleIntent',
    {
        "slots":{"NAME":"LITERAL","AGE":"NUMBER"}, 
        "utterances":[ "my {name is|name's} {names|NAME} and {I am|I'm} {1-100|AGE}{ years old|}" ]
    },
    function(request,response) { ... }
);

Slots

The slots object is a simple Name:Type mapping. The type must be one of Amazon's supported slot types: LITERAL, NUMBER, DATE, TIME, DURATION

Custom Slot Types

As a replacement for the LITERAL slot type, which is no longer being supported by Amazon, it is recommended to use custom slot types in its place. Here is an example of defining a custom slot type for DragonType.

app.intent('attack', 
    {
        'slots': { 'DragonType': 'DRAGONTYPE' },
        'utterances': ['{attack|fight|hit|use} {sword|dagger|wand} on {-|DragonType} dragon']
    }, function(request,response) {
        response.say('You are attacking the ' + request.slot('DragonType') + ' dragon!');
    }
);

You can include custom slot types within utterances by using the syntax {-|CustomTypeName}. This indicates that the term should come from a list of values for the custom slot type. In the example above, the utterance uses the term {-|DragonType}, indicating a term should come from the list of values (shown below). For chatskills, a list of values does not need to be provided - any word will be accepted for a custom slot type and used as its value.

If publishing to the Amazon Alexa service, you would provide the custom slot types for DragonType by specifying the type name and a list of values. For example:

Type: DRAGONTYPE

Values:

golden
fire
ice
water
snow

Note, chatskills and Amazon Alexa will actually accept any word for the custom slot value. It doesn't have to match a word from the list of values. In this manner, custom slot types are similar to LITERAL.

Utterances

The utterances syntax allows you to generate many (hundreds or even thousands) of sample utterances using just a few samples that get auto-expanded. Any number of sample utterances may be passed in the utterances array. Below are some sample utterances macros and what they will be expanded to.

Multiple Options mapped to a Slot

"my favorite color is {red|green|blue|NAME}"
=>
"my favorite color is {red|NAME}"
"my favorite color is {green|NAME}"
"my favorite color is {blue|NAME}"

Generate Multiple Versions of Static Text

This lets you define multiple ways to say a phrase, but combined into a single sample utterance

"{what is the|what's the|check the} status"
=>
"what is the status"
"what's the status"
"check the status"

Auto-Generated Number Ranges

When capturing a numeric slot value, it's helpful to generate many sample utterances with different number values

"buy {2-5|NUMBER} items"
=>
"buy {two|NUMBER} items"
"buy {three|NUMBER} items"
"buy {four|NUMBER} items"
"buy {five|NUMBER} items"

Number ranges can also increment in steps

"buy {5-20 by 5|NUMBER} items"
=>
"buy {five|NUMBER} items"
"buy {ten|NUMBER} items"
"buy {fifteen|NUMBER} items"
"buy {twenty|NUMBER} items"

Optional Words

"what is your {favorite |}color"
=>
"what is your color"
"what is your favorite color"

Using a Dictionary

Several intents may use the same list of possible values, so you want to define them in one place, not in each intent schema. Use the app's dictionary.

app.dictionary = {"colors":["red","green","blue"]};
...
"my favorite color is {colors|FAVEORITE_COLOR}"
"I like {colors|COLOR}"

Displaying Home Cards

You can display Amazon Alexa Home Cards by handling the card object returned in the response method. When using alexa-app, the home card will be displayed in the Amazon Alexa App on your mobile device. When using chatskills, the home card can be handled in the chatskills.respond() callback method, which returns two arguments: response and card.

Using the card object, you can display the card's text and image in any manner you wish. For example, if hosting your chatskills app in Slack, you may want to show the image as embedded media. Likewise, if hosting as a text chatbot on the console, you may simply want to output the card as text.

Below is an example.

app.intent('example', {
        "slots": {},
        "utterances": ["show a card"]
    }, function(req, res) {
      // Show home card in Alexa app.
      res.card({
        type: 'Standard',
        title: 'My Awesome Card', // this is not required for type Simple or Standard 
        text: 'This is an example of an Alexa home card.',
        image: { // image is optional 
          smallImageUrl: 'http://www.yoursite.com/image.jpg', // required 
          largeImageUrl: null
        }
      });
});

// Respond to input.
chatskills.respond(text, function(response, card) {
    if (!card) {
      // Text response from res.say() method.
      console.log(response);
    }
    else {
      // Home card response from res.card() method.
      console.log('[DISPLAYING CARD: Title=' + card.title + ', Text=' + card.text + ']');
    }
});

License

MIT

Author

Kory Becker http://www.primaryobjects.com/kory-becker

More Repositories

1

AI-Programmer

Using artificial intelligence and genetic algorithms to automatically write programs. Tutorial: http://www.primaryobjects.com/cms/article149
C#
1,087
star
2

voice-gender

Gender recognition by voice and speech analysis
R
338
star
3

strips

AI Automated Planning with STRIPS and PDDL in Node.js
JavaScript
315
star
4

lda

LDA topic modeling for node.js
JavaScript
291
star
5

contentblocks

Create simple editable CMS content blocks in node.js. Wrapper for Create.js CMS framework.
JavaScript
118
star
6

Node.js-Bootstrap-Starter-Template

Node.js, Express, Pug, Twitter Bootstrap, Starter Template
Pug
112
star
7

vpndemon

Monitor a VPN connection on Linux and kill a process upon disconnect
Shell
100
star
8

knowledgebase

An expert system using logic-based artificial intelligence and symbolic AI.
JavaScript
75
star
9

TokenAuthMVC

Token-Based Authentication for Web Service APIs in C# MVC .NET
C#
65
star
10

TFIDF

TF*IDF Term Frequency Inverse Document Frequency in C# .NET
C#
59
star
11

deep-learning

Simple example of using the Accord .NET C# library to implement a deep-learning neural network (deep belief network) with machine learning. Solves XOR and an ASCII digit dataset.
C#
59
star
12

MongoDragons

A C# .NET example using MongoDb to create and display scary dragons! Uses a repository pattern and business layer to access data in the cloud via MongoLab.
C#
50
star
13

Gmail-Jabber-Chatbot

C# .NET Jabber Chatbot that Talks on Gmail with XMPP, AIML. Allows execution of custom commands, similar to an IRC bot, and conversation with the ALICE AIML SDK. Chat bot communicates with users through Gmail / GTalk via XMPP.
C#
45
star
14

unity-to-aframe

Convert a Unity 3D scene to A-Frame.
C#
44
star
15

maze

A simple maze solver in Javascript and HTML5, using the Tremaux algorithm to find the path through.
JavaScript
34
star
16

HTML5-Easy-Paint

A simple paint program in HTML5 with continuous draw and image stamps. Especially easy for children to paint!
JavaScript
31
star
17

Fluent-Simple-RPG-Game

C# .NET simple RPG role-playing battle game. Designed as an example of using the Expression Builder pattern with method chaining and progressive interfaces in C#. Demonstrates a basic internal domain specific language design. Also lets you kill some monsters too!
C#
30
star
18

nnsorting

Neural network sorting numbers
JavaScript
30
star
19

Node.js-React-Starter-Template

Node.js Express React 4 Single Page App Starter Template with Bootstrap
JavaScript
28
star
20

colorbot

A neural network color bot that uses machine learning (artificial intelligence) to categorize pictures as red, green, or blue overall. Uses node.js and mongodb.
JavaScript
25
star
21

fashion

The Fashion-MNIST dataset and machine learning models.
R
24
star
22

jquery-react

Integrate React with a JQuery app.
HTML
20
star
23

SingleSignOn

Example project implementing single sign-on with Windows Identity Foundation and forms authentication in C# MVC ASP .NET.
C#
19
star
24

emotion

Artificial intelligence emotion in a conversational UI.
JavaScript
17
star
25

Node.js-Material-Starter-Template

Node.js Jade Material Starter Template
Pug
17
star
26

genetic-programming

Genetic programming for math equations with prefix expression trees.
JavaScript
16
star
27

quantum

A set of simple tutorial programs for quantum computing including a game, Fly Unicorn.
Python
13
star
28

MVC4FormsAuthentication

MVC4 forms authentication example with custom MembershipProvider and Principal, storing user data in forms auth cookie. http://primaryobjects.com/CMS/Article147.aspx
C#
12
star
29

wumpus

Navigate the dungeon, avoid the pits, find the gold, beware of the wumpus. Artificial intelligence based AI game.
JavaScript
11
star
30

mongodragons2

A C# .NET MVC 5 example using MongoDb and AngularJs to create and display scary dragons! Uses a repository pattern and business layer to access data in the cloud via MongoLab.
C#
11
star
31

MVC-Creep-Collector

Example of configuring MVC .NET data annotations from an XML file at run-time, for a C# ASP .NET MVC4 web application, razor, jQuery, client validation.
C#
11
star
32

etf-compare

Compare common holdings of exchange traded funds (ETFs)
R
10
star
33

oracle

Quantum computing "Hello World", using a letter search with Grover's algorithm and Qiskit.
Python
10
star
34

MVC3-CSS3-Slick-Login-Form-with-Security-Example

A sample MVC3 C# ASP .NET web application, providing a slick login form with CSS3 and security authentication. Demonstrates using a custom MembershipProvider, MVC3 attribute-based opt-out security, and storing user details in the Context.User object. View it in action at http://youtu.be/nb4S6Ze1wSk
JavaScript
9
star
35

Dungeon-Map-External-Domain-Specific-Language

Example of mapping a role-playing game dungeon with a C# .NET external domain specific language. Implements a custom programming language in a text file to drive a state machine, allowing the user to create a variety of programs with the external DSL (domain specific language).
C#
9
star
36

maze-generator

A simple maze generator, built with React.
JavaScript
8
star
37

Flying-Creatures

ASP .NET MVC sample application, demonstrating the usage of RavenDB (NoSQL) and jQuery with the MVC Razor view language. Experimental theme of flying creatures (gargoyles, dragons, wraiths, etc) and reading/inserting/deleting from the NoSQL database. Software architecture includes the Repository Pattern and UnitOfWork pattern. User interface uses the jQuery flexigrid control with AJAX to display the creatures. Requires an install of ASP .NET MVC 3 RC (http://goo.gl/7iwC2), RavenDB (http://www.ravendb.org) and the StructureMap DLL (http://goo.gl/VwRUd).
JavaScript
8
star
38

Gradient-Color-Block-MVC-User-Controls

ASP .NET MVC 3 sample of using partial views as user controls with server side-code initialization. The user controls are used to display multiple gradient color blocks on the web page.
C#
7
star
39

SSL-Ghost

Demo of moving in and out of SSL HTTPS in a C# ASP .NET MVC web application. Demonstrates using SSL HTTPS for specific pages in an MVC application (login, change password, etc), while all other pages remain non-SSL.
JavaScript
7
star
40

Frosty-Forest-Adventure

A 3D web-based game developed with ChatGPT4.
JavaScript
6
star
41

strips-fiddle

An online editor for STRIPS AI planning with PDDL. Created with meteor.js.
JavaScript
6
star
42

stock-predictions

Stock market predictions for the S&P 500, submitted by users of a financial forum.
R
6
star
43

DigitRecognizer

Machine Learning digit recognizer (MNIST data-set) in C# .NET
C#
5
star
44

primaryobjects.github.com

Static web site on primaryobjects.github.io
JavaScript
4
star
45

quantum-invaders

A quantum computing alien invaders game, developed with ChatGPT4.
Python
4
star
46

lsystems

Recursive patterns using Lindenmayer systems.
JavaScript
4
star
47

saavyConsumer

Example Amazon Alexa Skill for the Echo, written using alexa-app.
JavaScript
4
star
48

unsupervised

Applying unsupervised learning using K-means clustering.
R
4
star
49

loginimagechanger

Login Image Changer for Linux Mint and Ubuntu lets you automatically change the login background each time your computer starts up.
Shell
4
star
50

jQuery-Modal-Confirmation-Dialog-MVC-Form-Submit

A sample C# MVC3 web application to submit a form and display a modal confirmation dialog with jQuery UI. The confirmation dialog allows the user to confirm the data prior to submitting to the server. Easily modifiable for any web application.
C#
4
star
51

PasteBin-Auto-Post

PasteBin automatic post in C# .NET - example code and helper class to automatically post text on PasteBin. Returns the PasteBin URL upon success. Great tool for remote debugging.
C#
4
star
52

easypost

Example of reading POST data in node.js from both a form submission and from a REST client, using a manager method to abstract res.on('data') and res.on('end').
JavaScript
3
star
53

OpenURL-PhoneGap-Plugin

Simple PhoneGap plug-in to launch a URL in a new web browser on the iPhone and Android.
Java
3
star
54

isolation

Isolation, AI game implemented in Javascript and React, using MiniMax with Alpha Beta Pruning.
JavaScript
3
star
55

contentblocks-demo

ContentBlocks node.js demo. Create simple editable CMS content blocks in node.js. Wrapper for Create.js CMS framework.
JavaScript
3
star
56

punchcard

Generate computer punch cards from text messages.
CSS
3
star
57

squarespace

A collection of render blocks for use on Squarespace.
JavaScript
3
star
58

redant

A Node.js REST service for saving/loading JSON in MongoDb. Created as part of the 2012 Associated Press Technology Summit.
JavaScript
3
star
59

Cross-Domain-Policy-Monster-Service-JSONP

Demonstrates A simple C# .NET MVC web service that creates monsters and returns them in JSON format. Learn how to call the service with JavaScript across domains, for the article: Cross domain policy violation, and how to get around it with JSONP, AJAX, J
C#
3
star
60

easypost-lib

Easy method for reading POST data in Node.js web applications. Supports form submissions and REST client posts. Provides a single location for maintaining the code that reads POST data.
JavaScript
3
star
61

semantic-search

Semantic search web app using the Large Language Model (LLM) Cohere for embeddings to match context and meaning, rather than keywords.
C#
3
star
62

Node.js-Token-API-Starter-Template

Node.js Token API Starter Template for easy token-based authentication.
JavaScript
2
star
63

remoteip-demo

A simple method for getting the client IP address for the remote browser in node.js.
JavaScript
2
star
64

hello-meteor

Hello world for Meteor.js.
JavaScript
2
star
65

eightpuzzle

Eight Puzzle Solver using A*
JavaScript
2
star
66

slidify

Create a presentation with R and Slidify.
CSS
2
star
67

dragon-generator

A super duper scary dragon generator! Reactjs tutorial project.
JavaScript
2
star
68

Code-Kata-4-Data-Munging-C-

C# .NET solution for Code Kata 4 Data Munging project http://codekata.pragprog.com/2007/01/kata_four_data_.html
C#
2
star
69

quantum-tunneling

An analysis of quantum tunneling probability for transistors.
HTML
2
star
70

XML-TreeView

XML TreeView Example
JavaScript
2
star
71

qlearning

A game using Q-Learning artificial intelligence.
JavaScript
2
star
72

XML-Web-Site-Navigation-with-MVC3

An example of loading web navigation from XML with MVC3 partial views in C# ASP .NET
C#
2
star
73

MVC-Smart-Page

MVC C# .NET smart pager for paging search results with slick customizable paging. Fully configurable, including number of results per page, adjacent count, and more. Demo included.
C#
2
star
74

REST-Monster-Factory-Web-Service

MVC .NET REST web service, supporting JSON and XML commands and responses. Web service method calls are available via REST commands (GET, POST, PUT, DELETE). Also demonstrates using AJAX with jQuery to test the web service methods.
JavaScript
2
star
75

monster-collector

An AI monster generator web app using the Large Language Model (LLM) Cohere with the EntityFramework and Sqlite.
C#
2
star
76

boggle

Boggle solver, using React
JavaScript
2
star
77

biotin

Research analysis on the effects of biotin.
HTML
1
star
78

remoteip

A simple method for getting the client IP address for the remote browser in node.js.
JavaScript
1
star
79

TwitterCorpus

A tweet loader for a large Twitter corpus, used for sentiment prediction. The corpus contains 5,513 tweet ids with sentiment rating. The loader is written in C# .NET.
C#
1
star
80

flying-unicorn

A game designed for a quantum computer.
Python
1
star
81

Perl-to-WCF

Simple Hello World example of a Perl program consuming a C# .NET WCF Web Service
C#
1
star
82

missionariescannibals

Missionaries and Cannibals AI problem in R
R
1
star
83

sphere-spin

A quantum computing game, for matching-colored qubits, developed with ChatGPT4.
Python
1
star
84

bogleheads-keywords

Web-based keyword frequency analyzer, created by ChatGPT4.
Python
1
star
85

pastebindemo

C#
1
star
86

blinking

Use a simple programming language to turn LED lights on and off.
JavaScript
1
star
87

chromestats

Collect total-user install counts for your Chrome extension daily.
JavaScript
1
star
88

algorithms

Java
1
star
89

usersonline

List the most recent 100 users visiting your site in node.js Express: Date, Time, IP Address, User Agent, Landing Page, Referring Url.
JavaScript
1
star
90

datasciencecoursera

Johns Hopkins University - Data science tracks via Coursera: Getting and Cleaning Data, Exploratory Data Analysis, Reproducible Research, Human Activity Recognition Using Smartphones Data Set Analysis
HTML
1
star
91

Windows-8-Live-Tiles

Tutorial for creating Windows 8 Live Tile Notifications in C# .NET with WinRT (Metro-style)
C#
1
star
92

Aria-Starblade

A 3D web-based RPG combat game, developed with ChatGPT4.
JavaScript
1
star
93

penney

A map plot of JCPenney store closings.
R
1
star