freeCodeCamp/controllers/api.js

623 lines
16 KiB
JavaScript
Raw Normal View History

var secrets = require('../config/secrets');
2013-12-07 05:50:37 +00:00
var User = require('../models/User');
var querystring = require('querystring');
var validator = require('validator');
2013-11-30 05:28:30 +00:00
var async = require('async');
2013-12-07 22:45:20 +00:00
var cheerio = require('cheerio');
var request = require('request');
var graph = require('fbgraph');
2013-12-09 21:57:26 +00:00
var LastFmNode = require('lastfm').LastFmNode;
2013-12-07 05:34:23 +00:00
var tumblr = require('tumblr.js');
var foursquare = require('node-foursquare')({ secrets: secrets.foursquare });
var Github = require('github-api');
var Twit = require('twit');
2014-03-31 20:00:51 +00:00
var stripe = require('stripe')(secrets.stripe.apiKey);
2014-02-06 13:09:54 +00:00
var twilio = require('twilio')(secrets.twilio.sid, secrets.twilio.token);
var Linkedin = require('node-linkedin')(secrets.linkedin.clientID, secrets.linkedin.clientSecret, secrets.linkedin.callbackURL);
2014-02-24 11:25:51 +00:00
var clockwork = require('clockwork')({key: secrets.clockwork.apiKey});
2014-04-22 18:51:35 +00:00
var ig = require('instagram-node').instagram();
2014-05-13 05:35:46 +00:00
var Y = require('yui/yql');
var _ = require('lodash');
2013-11-30 05:28:30 +00:00
/**
* GET /api
* List of API examples.
*/
exports.getApi = function(req, res) {
res.render('api/index', {
2014-04-14 03:14:58 +00:00
title: 'API Examples'
});
2013-11-19 21:20:18 +00:00
};
/**
* GET /api/foursquare
* Foursquare API example.
*/
exports.getFoursquare = function(req, res, next) {
var token = _.find(req.user.tokens, { kind: 'foursquare' });
console.log(token);
async.parallel({
2014-02-27 22:39:18 +00:00
trendingVenues: function(callback) {
foursquare.Venues.getTrending('40.7222756', '-74.0022724', { limit: 50 }, token.accessToken, function(err, results) {
callback(err, results);
});
2013-11-30 06:12:28 +00:00
},
2014-02-27 22:39:18 +00:00
venueDetail: function(callback) {
foursquare.Venues.getVenue('49da74aef964a5208b5e1fe3', token.accessToken, function(err, results) {
callback(err, results);
2013-11-30 06:52:29 +00:00
});
2014-02-27 22:39:18 +00:00
},
userCheckins: function(callback) {
foursquare.Users.getCheckins('self', null, token.accessToken, function(err, results) {
callback(err, results);
});
}
},
function(err, results) {
if (err) return next(err);
res.render('api/foursquare', {
title: 'Foursquare API',
trendingVenues: results.trendingVenues,
venueDetail: results.venueDetail,
userCheckins: results.userCheckins
});
2014-02-27 22:39:18 +00:00
});
2013-11-19 21:20:18 +00:00
};
/**
* GET /api/tumblr
* Tumblr API example.
*/
exports.getTumblr = function(req, res) {
var token = _.find(req.user.tokens, { kind: 'tumblr' });
var client = tumblr.createClient({
consumer_key: secrets.tumblr.consumerKey,
consumer_secret: secrets.tumblr.consumerSecret,
token: token.accessToken,
token_secret: token.tokenSecret
});
2014-04-13 23:26:17 +00:00
client.posts('withinthisnightmare.tumblr.com', { type: 'photo' }, function(err, data) {
res.render('api/tumblr', {
title: 'Tumblr API',
2013-12-08 05:35:35 +00:00
blog: data.blog,
photoset: data.posts[0].photos
});
});
2013-11-27 04:32:33 +00:00
};
/**
* GET /api/facebook
* Facebook API example.
*/
exports.getFacebook = function(req, res, next) {
var token = _.find(req.user.tokens, { kind: 'facebook' });
graph.setAccessToken(token.accessToken);
async.parallel({
2014-02-27 22:39:18 +00:00
getMe: function(done) {
graph.get(req.user.facebook, function(err, me) {
done(err, me);
});
},
2014-02-27 22:39:18 +00:00
getMyFriends: function(done) {
graph.get(req.user.facebook + '/friends', function(err, friends) {
done(err, friends.data);
});
2014-02-27 22:39:18 +00:00
}
},
function(err, results) {
if (err) return next(err);
res.render('api/facebook', {
title: 'Facebook API',
me: results.getMe,
friends: results.getMyFriends
});
2014-02-27 22:39:18 +00:00
});
};
2013-12-07 22:45:20 +00:00
2013-12-09 00:07:22 +00:00
/**
* GET /api/scraping
* Web scraping example using Cheerio library.
2013-12-09 00:07:22 +00:00
*/
exports.getScraping = function(req, res, next) {
request.get('https://news.ycombinator.com/', function(err, request, body) {
if (err) return next(err);
var $ = cheerio.load(body);
var links = [];
$(".title a[href^='http'], a[href^='https']").each(function() {
links.push($(this));
});
res.render('api/scraping', {
title: 'Web Scraping',
links: links
});
2013-12-07 22:45:20 +00:00
});
};
2013-12-19 18:22:42 +00:00
/**
* GET /api/github
* GitHub API Example.
2013-12-19 18:22:42 +00:00
*/
exports.getGithub = function(req, res) {
var token = _.find(req.user.tokens, { kind: 'github' });
var github = new Github({ token: token.accessToken });
2013-12-08 05:35:35 +00:00
var repo = github.getRepo('sahat', 'requirejs-library');
repo.show(function(err, repo) {
res.render('api/github', {
title: 'GitHub API',
repo: repo
});
});
};
2013-12-08 06:17:12 +00:00
/**
* GET /api/aviary
* Aviary image processing example.
2013-12-08 06:17:12 +00:00
*/
2013-12-08 06:17:12 +00:00
exports.getAviary = function(req, res) {
2013-12-08 06:49:18 +00:00
res.render('api/aviary', {
title: 'Aviary API'
2013-12-08 06:49:18 +00:00
});
2013-12-08 06:17:12 +00:00
};
2013-12-09 00:07:22 +00:00
/**
* GET /api/nyt
* New York Times API example.
2013-12-09 00:07:22 +00:00
*/
exports.getNewYorkTimes = function(req, res, next) {
var query = querystring.stringify({ 'api-key': secrets.nyt.key, 'list-name': 'young-adult' });
var url = 'http://api.nytimes.com/svc/books/v2/lists?' + query;
request.get(url, function(error, request, body) {
if (request.statusCode === 403) return next(Error('Missing or Invalid New York Times API Key'));
var bestsellers = JSON.parse(body);
res.render('api/nyt', {
title: 'New York Times API',
books: bestsellers.results
});
});
};
2013-12-09 00:07:22 +00:00
/**
* GET /api/lastfm
* Last.fm API example.
2013-12-09 00:07:22 +00:00
*/
exports.getLastfm = function(req, res, next) {
var lastfm = new LastFmNode(secrets.lastfm);
async.parallel({
2014-02-27 22:39:18 +00:00
artistInfo: function(done) {
2014-06-05 16:56:06 +00:00
lastfm.request('artist.getInfo', {
artist: 'Sirenia',
2014-02-27 22:39:18 +00:00
handlers: {
success: function(data) {
done(null, data);
},
error: function(err) {
done(err);
}
2014-02-27 22:39:18 +00:00
}
});
},
2014-06-05 16:56:06 +00:00
artistTopTracks: function(done) {
lastfm.request('artist.getTopTracks', {
artist: 'Sirenia',
handlers: {
success: function(data) {
var tracks = [];
_.each(data.toptracks.track, function(track) {
tracks.push(track);
});
done(null, tracks.slice(0,10));
},
error: function(err) {
done(err);
}
}
});
},
2014-02-27 22:39:18 +00:00
artistTopAlbums: function(done) {
2014-06-05 16:56:06 +00:00
lastfm.request('artist.getTopAlbums', {
artist: 'Sirenia',
2014-02-27 22:39:18 +00:00
handlers: {
success: function(data) {
var albums = [];
_.each(data.topalbums.album, function(album) {
albums.push(album.image.slice(-1)[0]['#text']);
});
done(null, albums.slice(0, 4));
},
error: function(err) {
done(err);
}
}
});
2014-02-27 22:39:18 +00:00
}
},
function(err, results) {
if (err) return next(err.message);
var artist = {
name: results.artistInfo.artist.name,
image: results.artistInfo.artist.image.slice(-1)[0]['#text'],
tags: results.artistInfo.artist.tags.tag,
bio: results.artistInfo.artist.bio.summary,
stats: results.artistInfo.artist.stats,
similar: results.artistInfo.artist.similar.artist,
2014-06-05 16:56:06 +00:00
topAlbums: results.artistTopAlbums,
topTracks: results.artistTopTracks
2014-02-27 22:39:18 +00:00
};
res.render('api/lastfm', {
title: 'Last.fm API',
artist: artist
});
2014-02-27 22:39:18 +00:00
});
};
2013-12-09 00:07:22 +00:00
/**
* GET /api/twitter
* Twiter API example.
2013-12-09 00:07:22 +00:00
*/
exports.getTwitter = function(req, res, next) {
var token = _.find(req.user.tokens, { kind: 'twitter' });
var T = new Twit({
consumer_key: secrets.twitter.consumerKey,
consumer_secret: secrets.twitter.consumerSecret,
access_token: token.accessToken,
access_token_secret: token.tokenSecret
});
T.get('search/tweets', { q: 'nodejs since:2013-01-01', geocode: '40.71448,-74.00598,5mi', count: 10 }, function(err, reply) {
if (err) return next(err);
res.render('api/twitter', {
title: 'Twitter API',
tweets: reply.statuses
});
});
};
/**
* POST /api/twitter
* @param tweet
*/
exports.postTwitter = function(req, res, next) {
req.assert('tweet', 'Tweet cannot be empty.').notEmpty();
var errors = req.validationErrors();
if (errors) {
req.flash('errors', errors);
return res.redirect('/api/twitter');
}
var token = _.find(req.user.tokens, { kind: 'twitter' });
var T = new Twit({
consumer_key: secrets.twitter.consumerKey,
consumer_secret: secrets.twitter.consumerSecret,
access_token: token.accessToken,
access_token_secret: token.tokenSecret
});
T.post('statuses/update', { status: req.body.tweet }, function(err, data, response) {
req.flash('success', { msg: 'Tweet has been posted.'});
res.redirect('/api/twitter');
});
};
2014-02-05 16:37:48 +00:00
/**
* GET /api/steam
* Steam API example.
*/
exports.getSteam = function(req, res, next) {
var steamId = '76561197982488301';
var query = { l: 'english', steamid: steamId, key: secrets.steam.apiKey };
async.parallel({
2014-02-27 22:39:18 +00:00
playerAchievements: function(done) {
query.appid = '49520';
var qs = querystring.stringify(query);
request.get({ url: 'http://api.steampowered.com/ISteamUserStats/GetPlayerAchievements/v0001/?' + qs, json: true }, function(error, request, body) {
if (request.statusCode === 401) return done(new Error('Missing or Invalid Steam API Key'));
done(error, body);
});
},
playerSummaries: function(done) {
query.steamids = steamId;
var qs = querystring.stringify(query);
request.get({ url: 'http://api.steampowered.com/ISteamUser/GetPlayerSummaries/v0002/?' + qs, json: true }, function(error, request, body) {
if (request.statusCode === 401) return done(new Error('Missing or Invalid Steam API Key'));
done(error, body);
});
},
2014-02-27 22:39:18 +00:00
ownedGames: function(done) {
query.include_appinfo = 1;
query.include_played_free_games = 1;
var qs = querystring.stringify(query);
request.get({ url: 'http://api.steampowered.com/IPlayerService/GetOwnedGames/v0001/?' + qs, json: true }, function(error, request, body) {
if (request.statusCode === 401) return done(new Error('Missing or Invalid Steam API Key'));
done(error, body);
2014-02-11 13:04:20 +00:00
});
2014-02-27 22:39:18 +00:00
}
},
function(err, results) {
if (err) return next(err);
res.render('api/steam', {
title: 'Steam Web API',
ownedGames: results.ownedGames.response.games,
playerAchievemments: results.playerAchievements.playerstats,
playerSummary: results.playerSummaries.response.players[0]
});
2014-02-27 22:39:18 +00:00
});
};
2014-03-31 21:14:15 +00:00
/**
* GET /api/stripe
* Stripe API example.
*/
exports.getStripe = function(req, res) {
res.render('api/stripe', {
title: 'Stripe API'
});
2014-03-31 20:00:51 +00:00
};
2014-03-31 21:14:15 +00:00
/**
* POST /api/stripe
* @param stipeToken
* @param stripeEmail
2014-03-31 21:14:15 +00:00
*/
2014-03-31 20:00:51 +00:00
exports.postStripe = function(req, res, next) {
var stripeToken = req.body.stripeToken;
var stripeEmail = req.body.stripeEmail;
stripe.charges.create({
amount: 395,
currency: 'usd',
card: stripeToken,
description: stripeEmail
}, function(err, charge) {
if (err && err.type === 'StripeCardError') {
req.flash('errors', { msg: 'Your card has been declined.'});
res.redirect('/api/stripe');
}
req.flash('success', { msg: 'Your card has been charged successfully.'});
res.redirect('/api/stripe');
});
2014-03-31 20:00:51 +00:00
};
/**
* GET /api/twilio
* Twilio API example.
*/
exports.getTwilio = function(req, res) {
res.render('api/twilio', {
title: 'Twilio API'
});
2014-02-06 13:09:54 +00:00
};
/**
* POST /api/twilio
* Twilio API example.
* @param number
* @param message
*/
2014-02-06 13:09:54 +00:00
exports.postTwilio = function(req, res, next) {
req.assert('number', 'Phone number is required.').notEmpty();
req.assert('message', 'Message cannot be blank.').notEmpty();
var errors = req.validationErrors();
if (errors) {
req.flash('errors', errors);
return res.redirect('/api/twilio');
}
2014-02-06 13:09:54 +00:00
var message = {
to: req.body.number,
2014-02-06 13:09:54 +00:00
from: '+13472235148',
body: req.body.message
2014-02-06 13:09:54 +00:00
};
2014-06-02 20:16:09 +00:00
2014-02-06 13:09:54 +00:00
twilio.sendMessage(message, function(err, responseData) {
if (err) return next(err.message);
2014-03-31 20:00:51 +00:00
req.flash('success', { msg: 'Text sent to ' + responseData.to + '.'});
res.redirect('/api/twilio');
2014-02-06 13:09:54 +00:00
});
};
2014-02-24 11:25:51 +00:00
/**
2014-02-28 00:42:07 +00:00
* GET /api/clockwork
2014-02-24 11:25:51 +00:00
* Clockwork SMS API example.
*/
2014-03-01 08:10:04 +00:00
exports.getClockwork = function(req, res) {
2014-02-24 11:25:51 +00:00
res.render('api/clockwork', {
title: 'Clockwork SMS API'
});
};
/**
2014-03-01 08:10:04 +00:00
* POST /api/clockwork
2014-02-24 11:25:51 +00:00
* Clockwork SMS API example.
* @param telephone
*/
exports.postClockwork = function(req, res, next) {
var message = {
To: req.body.telephone,
From: 'Hackathon',
Content: 'Hello from the Hackathon Starter'
};
clockwork.sendSms(message, function(err, responseData) {
2014-02-28 00:42:07 +00:00
if (err) return next(err.errDesc);
2014-03-01 08:10:04 +00:00
req.flash('success', { msg: 'Text sent to ' + responseData.responses[0].to });
2014-02-24 11:25:51 +00:00
res.redirect('/api/clockwork');
});
};
/**
* GET /api/venmo
* Venmo API example.
*/
exports.getVenmo = function(req, res, next) {
var token = _.find(req.user.tokens, { kind: 'venmo' });
var query = querystring.stringify({ access_token: token.accessToken });
2014-02-11 13:04:20 +00:00
async.parallel({
2014-02-27 22:39:18 +00:00
getProfile: function(done) {
request.get({ url: 'https://api.venmo.com/v1/me?' + query, json: true }, function(err, request, body) {
done(err, body);
});
},
2014-02-27 22:39:18 +00:00
getRecentPayments: function(done) {
request.get({ url: 'https://api.venmo.com/v1/payments?' + query, json: true }, function(err, request, body) {
done(err, body);
2014-02-11 13:04:20 +00:00
});
2014-02-27 22:39:18 +00:00
}
},
function(err, results) {
if (err) return next(err);
res.render('api/venmo', {
title: 'Venmo API',
profile: results.getProfile.data,
recentPayments: results.getRecentPayments.data
});
2014-02-27 22:39:18 +00:00
});
};
/**
* POST /api/venmo
* @param user
* @param note
* @param amount
* Send money.
*/
exports.postVenmo = function(req, res, next) {
req.assert('user', 'Phone, Email or Venmo User ID cannot be blank').notEmpty();
req.assert('note', 'Please enter a message to accompany the payment').notEmpty();
req.assert('amount', 'The amount you want to pay cannot be blank').notEmpty();
var errors = req.validationErrors();
if (errors) {
req.flash('errors', errors);
return res.redirect('/api/venmo');
}
var token = _.find(req.user.tokens, { kind: 'venmo' });
var formData = {
access_token: token.accessToken,
note: req.body.note,
amount: req.body.amount
};
if (validator.isEmail(req.body.user)) {
formData.email = req.body.user;
} else if (validator.isNumeric(req.body.user) &&
validator.isLength(req.body.user, 10, 11)) {
formData.phone = req.body.user;
} else {
formData.user_id = req.body.user;
}
request.post('https://api.venmo.com/v1/payments', { form: formData }, function(err, request, body) {
if (err) return next(err);
if (request.statusCode !== 200) {
req.flash('errors', { msg: JSON.parse(body).error.message });
return res.redirect('/api/venmo');
}
req.flash('success', { msg: 'Venmo money transfer complete' });
res.redirect('/api/venmo');
});
};
/**
* GET /api/linkedin
* LinkedIn API example.
*/
exports.getLinkedin = function(req, res, next) {
var token = _.find(req.user.tokens, { kind: 'linkedin' });
var linkedin = Linkedin.init(token.accessToken);
linkedin.people.me(function(err, $in) {
if (err) return next(err);
res.render('api/linkedin', {
title: 'LinkedIn API',
profile: $in
});
});
};
2014-04-22 18:51:35 +00:00
/**
* GET /api/instagram
* Instagram API example.
*/
exports.getInstagram = function(req, res, next) {
var token = _.find(req.user.tokens, { kind: 'instagram' });
2014-04-22 18:51:35 +00:00
ig.use({ client_id: secrets.instagram.clientID, client_secret: secrets.instagram.clientSecret });
ig.use({ access_token: token.accessToken });
2014-04-22 18:51:35 +00:00
async.parallel({
searchByUsername: function(done) {
2014-06-05 16:56:06 +00:00
ig.user_search('richellemead', function(err, users, limit) {
2014-04-22 18:51:35 +00:00
done(err, users);
});
},
searchByUserId: function(done) {
ig.user('175948269', function(err, user) {
done(err, user);
});
},
popularImages: function(done) {
ig.media_popular(function(err, medias) {
done(err, medias);
});
},
myRecentMedia: function(done) {
ig.user_self_media_recent(function(err, medias, pagination, limit) {
done(err, medias);
});
2014-04-22 18:51:35 +00:00
}
}, function(err, results) {
if (err) return next(err);
2014-04-22 18:51:35 +00:00
res.render('api/instagram', {
title: 'Instagram API',
usernames: results.searchByUsername,
userById: results.searchByUserId,
popularImages: results.popularImages,
myRecentMedia: results.myRecentMedia
2014-04-22 18:51:35 +00:00
});
});
2014-05-13 05:35:46 +00:00
};
/**
* GET /api/yahoo
* Yahoo API example.
*/
exports.getYahoo = function(req, res) {
Y.YQL('SELECT * FROM weather.forecast WHERE (location = 10007)', function(response) {
var location = response.query.results.channel.location;
var condition = response.query.results.channel.item.condition;
res.render('api/yahoo', {
title: 'Yahoo API',
location: location,
condition: condition
});
});
2014-04-22 18:51:35 +00:00
};