Skip to content

Instantly share code, notes, and snippets.

@ColinEberhardt
Last active July 3, 2022 10:47
Show Gist options
  • Star 1 You must be signed in to star a gist
  • Fork 0 You must be signed in to fork a gist
  • Save ColinEberhardt/27508a7c0832d6e8132a9d1d8aaf231c to your computer and use it in GitHub Desktop.
Save ColinEberhardt/27508a7c0832d6e8132a9d1d8aaf231c to your computer and use it in GitHub Desktop.
Label layout example
license: mit
<!DOCTYPE html>
<!-- include polyfills for custom event and Symbol (for IE) -->
<script src="https://unpkg.com/babel-polyfill@6.26.0/dist/polyfill.js"></script>
<script src="https://unpkg.com/custom-event-polyfill@0.3.0/custom-event-polyfill.js"></script>
<!-- use babel so that we can use arrow functions and other goodness in this block! -->
<script src="https://unpkg.com/babel-standalone@6/babel.min.js"></script>
<script src="https://unpkg.com/d3@4.6.0"></script>
<script src="https://unpkg.com/d3fc@12.1.0"></script>
<script src="label-layout.js"></script>
<style>
body {
font: 16px sans-serif;
}
.chart {
height: 480px;
}
.line {
stroke: purple;
}
.area {
fill: lightgreen;
fill-opacity: 0.5;
}
rect {
fill: none;
}
.y-axis-label {
white-space: nowrap;
}
</style>
<div id='chart' class='chart'></div>
<script type='text/babel'>
d3.csv('repos-users-dump.csv', (githubData) => {
// count the organisations / users for each language
const scatter = d3.nest()
.key(d => d.language)
.entries(githubData)
.map(lang => ({
language: lang.key,
orgs: lang.values.filter(d => d.type === 'Organization').length,
users: lang.values.filter(d => d.type === 'User').length
}))
.filter(d => d.language);
// Use the text label component for each datapoint. This component renders both
// a text label and a circle at the data-point origin. For this reason, we don't
// need to use a scatter / point series.
const labelPadding = 2;
const textLabel = fc.layoutTextLabel()
.padding(2)
.value(d => d.language);
// a strategy that combines simulated annealing with removal
// of overlapping labels
const strategy = fc.layoutRemoveOverlaps(fc.layoutGreedy());
// create the layout that positions the labels
const labels = fc.layoutLabel(strategy)
.size((d, i, g) => {
// measure the label and add the required padding
const textSize = g[i].getElementsByTagName('text')[0].getBBox();
return [
textSize.width,
textSize.height
];
})
.position((d) => {
return [
d.users,
d.orgs
]
})
.component(textLabel);
const yExtent = fc.extentLinear()
.accessors([d => d.orgs])
.pad([0.1, 0.1]);
const xExtent = fc.extentLinear()
.accessors([d => d.users])
.pad([0.05, 0.2]);
// create a chart
const chart = fc.chartSvgCartesian(
d3.scaleLinear(),
d3.scaleLinear())
.yDomain(yExtent(scatter))
.xDomain(xExtent(scatter))
.yOrient('left')
.xLabel('GitHub Users')
.yLabel('GitHub Organisations')
.chartLabel('GitHub Organizations vs. Individuals')
.plotArea(labels);
// render
d3.select('#chart')
.datum(scatter)
.call(chart);
});
</script>
(function (global, factory) {
typeof exports === 'object' && typeof module !== 'undefined' ? factory(exports, require('d3-array'), require('d3-selection'), require('d3-scale'), require('d3fc-data-join'), require('d3fc-rebind')) :
typeof define === 'function' && define.amd ? define(['exports', 'd3-array', 'd3-selection', 'd3-scale', 'd3fc-data-join', 'd3fc-rebind'], factory) :
(factory((global.fc = global.fc || {}),global.d3,global.d3,global.d3,global.fc,global.fc));
}(this, (function (exports,d3Array,d3Selection,d3Scale,d3fcDataJoin,d3fcRebind) { 'use strict';
var functor = (function (d) {
return typeof d === 'function' ? d : function () {
return d;
};
});
var label = (function (layoutStrategy) {
var decorate = function decorate() {};
var size = function size() {
return [0, 0];
};
var position = function position(d, i) {
return [d.x, d.y];
};
var strategy = layoutStrategy || function (x) {
return x;
};
var component = function component() {};
var xScale = d3Scale.scaleIdentity();
var yScale = d3Scale.scaleIdentity();
var dataJoin$$1 = d3fcDataJoin.dataJoin('g', 'label');
var label = function label(selection) {
selection.each(function (data, index, group) {
var g = dataJoin$$1(d3Selection.select(group[index]), data).call(component);
// obtain the rectangular bounding boxes for each child
var nodes = g.nodes();
var childRects = nodes.map(function (node, i) {
var d = d3Selection.select(node).datum();
var pos = position(d, i, nodes);
var childPos = [xScale(pos[0]), yScale(pos[1])];
var childSize = size(d, i, nodes);
return {
hidden: false,
x: childPos[0],
y: childPos[1],
width: childSize[0],
height: childSize[1]
};
});
// apply the strategy to derive the layout. The strategy does not change the order
// or number of label.
var layout = strategy(childRects);
g.attr('style', function (_, i) {
return 'display:' + (layout[i].hidden ? 'none' : 'inherit');
}).attr('transform', function (_, i) {
return 'translate(' + layout[i].x + ', ' + layout[i].y + ')';
})
// set the layout width / height so that children can use SVG layout if required
.attr('layout-width', function (_, i) {
return layout[i].width;
}).attr('layout-height', function (_, i) {
return layout[i].height;
}).attr('anchor-x', function (d, i, g) {
return childRects[i].x - layout[i].x;
}).attr('anchor-y', function (d, i, g) {
return childRects[i].y - layout[i].y;
});
g.call(component);
decorate(g, data, index);
});
};
d3fcRebind.rebindAll(label, dataJoin$$1, d3fcRebind.include('key'));
d3fcRebind.rebindAll(label, strategy);
label.size = function () {
if (!arguments.length) {
return size;
}
size = functor(arguments.length <= 0 ? undefined : arguments[0]);
return label;
};
label.position = function () {
if (!arguments.length) {
return position;
}
position = functor(arguments.length <= 0 ? undefined : arguments[0]);
return label;
};
label.component = function () {
if (!arguments.length) {
return component;
}
component = arguments.length <= 0 ? undefined : arguments[0];
return label;
};
label.decorate = function () {
if (!arguments.length) {
return decorate;
}
decorate = arguments.length <= 0 ? undefined : arguments[0];
return label;
};
label.xScale = function () {
if (!arguments.length) {
return xScale;
}
xScale = arguments.length <= 0 ? undefined : arguments[0];
return label;
};
label.yScale = function () {
if (!arguments.length) {
return yScale;
}
yScale = arguments.length <= 0 ? undefined : arguments[0];
return label;
};
return label;
});
var textLabel = (function (layoutStrategy) {
var padding = 2;
var value = function value(x) {
return x;
};
var textJoin = d3fcDataJoin.dataJoin('text');
var rectJoin = d3fcDataJoin.dataJoin('rect');
var pointJoin = d3fcDataJoin.dataJoin('circle');
var textLabel = function textLabel(selection) {
selection.each(function (data, index, group) {
var node = group[index];
var nodeSelection = d3Selection.select(node);
var width = Number(node.getAttribute('layout-width'));
var height = Number(node.getAttribute('layout-height'));
var rect = rectJoin(nodeSelection, [data]);
rect.attr('width', width).attr('height', height);
var anchorX = Number(node.getAttribute('anchor-x'));
var anchorY = Number(node.getAttribute('anchor-y'));
var circle = pointJoin(nodeSelection, [data]);
circle.attr('r', 2).attr('cx', anchorX).attr('cy', anchorY);
var text = textJoin(nodeSelection, [data]);
text.enter().attr('dy', '0.9em').attr('transform', 'translate(' + padding + ', ' + padding + ')');
text.text(value);
});
};
textLabel.padding = function () {
if (!arguments.length) {
return padding;
}
padding = arguments.length <= 0 ? undefined : arguments[0];
return textLabel;
};
textLabel.value = function () {
if (!arguments.length) {
return value;
}
value = functor(arguments.length <= 0 ? undefined : arguments[0]);
return textLabel;
};
return textLabel;
});
var isIntersecting = function isIntersecting(a, b) {
return !(a.x >= b.x + b.width || a.x + a.width <= b.x || a.y >= b.y + b.height || a.y + a.height <= b.y);
};
var intersect = (function (a, b) {
if (isIntersecting(a, b)) {
var left = Math.max(a.x, b.x);
var right = Math.min(a.x + a.width, b.x + b.width);
var top = Math.max(a.y, b.y);
var bottom = Math.min(a.y + a.height, b.y + b.height);
return (right - left) * (bottom - top);
} else {
return 0;
}
});
// computes the area of overlap between the rectangle with the given index with the
// rectangles in the array
var collisionArea = function collisionArea(rectangles, index) {
return d3Array.sum(rectangles.map(function (d, i) {
return index === i ? 0 : intersect(rectangles[index], d);
}));
};
// computes the total overlapping area of all of the rectangles in the given array
var getPlacement = function getPlacement(x, y, width, height, location) {
return {
x: x,
y: y,
width: width,
height: height,
location: location
};
};
// returns all the potential placements of the given label
var placements = (function (label) {
var x = label.x;
var y = label.y;
var width = label.width;
var height = label.height;
return [getPlacement(x, y, width, height, 'bottom-right'), getPlacement(x - width, y, width, height, 'bottom-left'), getPlacement(x - width, y - height, width, height, 'top-left'), getPlacement(x, y - height, width, height, 'top-right'), getPlacement(x, y - height / 2, width, height, 'middle-right'), getPlacement(x - width / 2, y, width, height, 'bottom-center'), getPlacement(x - width, y - height / 2, width, height, 'middle-left'), getPlacement(x - width / 2, y - height, width, height, 'top-center')];
});
var get = function get(object, property, receiver) {
if (object === null) object = Function.prototype;
var desc = Object.getOwnPropertyDescriptor(object, property);
if (desc === undefined) {
var parent = Object.getPrototypeOf(object);
if (parent === null) {
return undefined;
} else {
return get(parent, property, receiver);
}
} else if ("value" in desc) {
return desc.value;
} else {
var getter = desc.get;
if (getter === undefined) {
return undefined;
}
return getter.call(receiver);
}
};
var set = function set(object, property, value, receiver) {
var desc = Object.getOwnPropertyDescriptor(object, property);
if (desc === undefined) {
var parent = Object.getPrototypeOf(object);
if (parent !== null) {
set(parent, property, value, receiver);
}
} else if ("value" in desc && desc.writable) {
desc.value = value;
} else {
var setter = desc.set;
if (setter !== undefined) {
setter.call(receiver, value);
}
}
return value;
};
var toConsumableArray = function (arr) {
if (Array.isArray(arr)) {
for (var i = 0, arr2 = Array(arr.length); i < arr.length; i++) arr2[i] = arr[i];
return arr2;
} else {
return Array.from(arr);
}
};
var substitute = function substitute(array, index, substitution) {
return [].concat(toConsumableArray(array.slice(0, index)), [substitution], toConsumableArray(array.slice(index + 1)));
};
var lessThan = function lessThan(a, b) {
return a < b;
};
// a layout takes an array of rectangles and allows their locations to be optimised.
// it is constructed using two functions, locationScore, which score the placement of and
// individual rectangle, and winningScore which takes the scores for a rectangle
// at two different locations and assigns a winningScore.
var layoutComponent = function layoutComponent() {
var score = null;
var winningScore = lessThan;
var locationScore = function locationScore() {
return 0;
};
var rectangles = void 0;
var evaluatePlacement = function evaluatePlacement(placement, index) {
return score - locationScore(rectangles[index], index, rectangles) + locationScore(placement, index, substitute(rectangles, index, placement));
};
var layout = function layout(placement, index) {
if (!score) {
score = d3Array.sum(rectangles.map(function (r, i) {
return locationScore(r, i, rectangles);
}));
}
var newScore = evaluatePlacement(placement, index);
if (winningScore(newScore, score)) {
return layoutComponent().locationScore(locationScore).winningScore(winningScore).score(newScore).rectangles(substitute(rectangles, index, placement));
} else {
return layout;
}
};
layout.rectangles = function () {
if (!arguments.length) {
return rectangles;
}
rectangles = arguments.length <= 0 ? undefined : arguments[0];
return layout;
};
layout.score = function () {
if (!arguments.length) {
return score;
}
score = arguments.length <= 0 ? undefined : arguments[0];
return layout;
};
layout.winningScore = function () {
if (!arguments.length) {
return winningScore;
}
winningScore = arguments.length <= 0 ? undefined : arguments[0];
return layout;
};
layout.locationScore = function () {
if (!arguments.length) {
return locationScore;
}
locationScore = arguments.length <= 0 ? undefined : arguments[0];
return layout;
};
return layout;
};
var greedy = (function () {
var bounds = void 0;
var containerPenalty = function containerPenalty(rectangle) {
return bounds ? rectangle.width * rectangle.height - intersect(rectangle, bounds) : 0;
};
var penaltyForRectangle = function penaltyForRectangle(rectangle, index, rectangles) {
return collisionArea(rectangles, index) + containerPenalty(rectangle);
};
var strategy = function strategy(data) {
var rectangles = layoutComponent().locationScore(penaltyForRectangle).rectangles(data);
data.forEach(function (rectangle, index) {
placements(rectangle).forEach(function (placement, placementIndex) {
rectangles = rectangles(placement, index);
});
});
return rectangles.rectangles();
};
strategy.bounds = function () {
if (!arguments.length) {
return bounds;
}
bounds = arguments.length <= 0 ? undefined : arguments[0];
return strategy;
};
return strategy;
});
var randomItem = function randomItem(array) {
return array[randomIndex(array)];
};
var randomIndex = function randomIndex(array) {
return Math.floor(Math.random() * array.length);
};
var annealing = (function () {
var temperature = 1000;
var cooling = 1;
var bounds = void 0;
var orientationPenalty = function orientationPenalty(rectangle) {
switch (rectangle.location) {
case 'bottom-right':
return 0;
case 'middle-right':
case 'bottom-center':
return rectangle.width * rectangle.height / 8;
}
return rectangle.width * rectangle.height / 4;
};
var containerPenalty = function containerPenalty(rectangle) {
return bounds ? rectangle.width * rectangle.height - intersect(rectangle, bounds) : 0;
};
var penaltyForRectangle = function penaltyForRectangle(rectangle, index, rectangles) {
return collisionArea(rectangles, index) + containerPenalty(rectangle) + orientationPenalty(rectangle);
};
var strategy = function strategy(data) {
var currentTemperature = temperature;
// use annealing to allow a new score to be picked even if it is worse than the old
var winningScore = function winningScore(newScore, oldScore) {
return Math.exp((oldScore - newScore) / currentTemperature) > Math.random();
};
var rectangles = layoutComponent().locationScore(penaltyForRectangle).winningScore(winningScore).rectangles(data);
while (currentTemperature > 0) {
var index = randomIndex(data);
var randomNewPlacement = randomItem(placements(data[index]));
rectangles = rectangles(randomNewPlacement, index);
currentTemperature -= cooling;
}
return rectangles.rectangles();
};
strategy.temperature = function () {
if (!arguments.length) {
return temperature;
}
temperature = arguments.length <= 0 ? undefined : arguments[0];
return strategy;
};
strategy.cooling = function () {
if (!arguments.length) {
return cooling;
}
cooling = arguments.length <= 0 ? undefined : arguments[0];
return strategy;
};
strategy.bounds = function () {
if (!arguments.length) {
return bounds;
}
bounds = arguments.length <= 0 ? undefined : arguments[0];
return strategy;
};
return strategy;
});
var scanForObject = function scanForObject(array, comparator) {
return array[d3Array.scan(array, comparator)];
};
var removeOverlaps = (function (adaptedStrategy) {
adaptedStrategy = adaptedStrategy || function (x) {
return x;
};
var removeOverlaps = function removeOverlaps(layout) {
layout = adaptedStrategy(layout);
var _loop = function _loop() {
// find the collision area for all overlapping rectangles, hiding the one
// with the greatest overlap
var visible = layout.filter(function (d) {
return !d.hidden;
});
var collisions = visible.map(function (d, i) {
return [d, collisionArea(visible, i)];
});
var maximumCollision = scanForObject(collisions, function (a, b) {
return b[1] - a[1];
});
if (maximumCollision[1] > 0) {
maximumCollision[0].hidden = true;
} else {
return 'break';
}
};
while (true) {
var _ret = _loop();
if (_ret === 'break') break;
}
return layout;
};
d3fcRebind.rebindAll(removeOverlaps, adaptedStrategy);
return removeOverlaps;
});
var boundingBox = (function () {
var bounds = [0, 0];
var strategy = function strategy(data) {
return data.map(function (d, i) {
var tx = d.x;
var ty = d.y;
if (tx + d.width > bounds[0]) {
tx -= d.width;
}
if (ty + d.height > bounds[1]) {
ty -= d.height;
}
return { height: d.height, width: d.width, x: tx, y: ty };
});
};
strategy.bounds = function () {
if (!arguments.length) {
return bounds;
}
bounds = arguments.length <= 0 ? undefined : arguments[0];
return strategy;
};
return strategy;
});
exports.layoutLabel = label;
exports.layoutTextLabel = textLabel;
exports.layoutGreedy = greedy;
exports.layoutAnnealing = annealing;
exports.layoutRemoveOverlaps = removeOverlaps;
exports.layoutBoundingBox = boundingBox;
Object.defineProperty(exports, '__esModule', { value: true });
})));
We can't make this file beautiful and searchable because it's too large.
repo,full_name,language,description,stars,forks,user,name,type,location,user_total_stars
react-native,facebook/react-native,JavaScript,A framework for building native apps with React.,24783,4198,facebook,Facebook,Organization,"Menlo Park, California",61260
hacker-scripts,NARKOZ/hacker-scripts,JavaScript,Based on a true story,19836,3553,NARKOZ,Nihad Abbasov,User,"Katowice, Poland",20876
redux,rackt/redux,JavaScript,Predictable state container for JavaScript apps,11612,1180,rackt,,Organization,,17451
dragula,bevacqua/dragula,JavaScript,:ok_hand: Drag and drop so simple it hurts,10737,593,bevacqua,Nicolás Bevacqua,User,https://twitter.com/nzgb,20409
clipboard.js,zenorocha/clipboard.js,JavaScript,:scissors: Modern copy to clipboard. No Flash. Just 2kb :clipboard:,10268,438,zenorocha,Zeno Rocha,User,"Los Angeles, CA",10268
react-canvas,Flipboard/react-canvas,JavaScript,High performance <canvas> rendering for React components,7410,562,Flipboard,Flipboard,Organization,"Palo Alto, CA",9004
mostly-adequate-guide,MostlyAdequate/mostly-adequate-guide,JavaScript,Mostly adequate guide to FP (in javascript),7170,465,MostlyAdequate,,Organization,,7170
blessed-contrib,yaronn/blessed-contrib,JavaScript,Build terminal dashboards using ascii/ansi art and javascript,7191,253,yaronn,Yaron Naveh,User,Israel,9234
is.js,arasatasaygin/is.js,JavaScript,Micro check library,6468,459,arasatasaygin,Aras,User,"İstanbul, Turkey",6468
wp-calypso,Automattic/wp-calypso,JavaScript,The new JavaScript- and API-powered WordPress.com,6452,713,Automattic,Automattic,Organization,Worldwide,6717
platform,mattermost/platform,JavaScript,Open source Slack-alternative in Golang and React - Mattermost,6136,579,mattermost,Mattermost,Organization,,6136
serverless,serverless/serverless,JavaScript,Serverless (formerly JAWS): The serverless application framework – Use bleeding-edge AWS services to redefine how to build massively scalable (and cheap) apps! – ,5910,290,serverless,Serverless,Organization,"Oakland, CA",5910
purifycss,purifycss/purifycss,JavaScript,Remove unused CSS. Also works with single-page apps.,5728,202,purifycss,PurifyCSS,Organization,,5992
HackMyResume,hacksalot/HackMyResume,JavaScript,"Generate polished résumés and CVs in HTML, Markdown, LaTeX, MS Word, PDF, plain text, JSON, XML, YAML, smoke signal, and carrier pigeon.",5101,189,hacksalot,hacksalot,User,Yay,5101
relay,facebook/relay,JavaScript,Relay is a JavaScript framework for building data-driven React applications.,5323,357,facebook,Facebook,Organization,"Menlo Park, California",61260
amphtml,ampproject/amphtml,JavaScript,"AMP HTML source code, samples, and documentation. See below for more info.",5188,502,ampproject,AMP Project,Organization,,5188
You-Dont-Need-jQuery,oneuijs/You-Dont-Need-jQuery,JavaScript,"Examples of how to do query, style, dom, ajax, event etc like jQuery with plain javascript.",5147,298,oneuijs,OneUI,Organization,,5147
falcor,Netflix/falcor,JavaScript,A JavaScript library for efficient data fetching,5140,208,Netflix,"Netflix, Inc.",Organization,"Los Gatos, California",8686
slideout,Mango/slideout,JavaScript,A touch slideout navigation menu for your mobile web apps.,5052,723,Mango,Mango,Organization,"Buenos Aires, Argentina",5052
material-theme,equinusocio/material-theme,JavaScript,"Material Theme, the most epic theme for Sublime Text 3 by Mattia Astorino",4977,312,equinusocio,Mattia Astorino,User,Turin,4977
volkswagen,auchenberg/volkswagen,JavaScript,":see_no_evil: Volkswagen detects when your tests are being run in a CI server, and makes them pass.",4716,96,auchenberg,Kenneth Auchenberg,User,"Vancouver, Canada",4988
notie.js,jaredreich/notie.js,JavaScript,"A clean and simple notification plugin (alert/growl style) for javascript, with no dependencies.",4196,232,jaredreich,Jared Reich,User,Canada,4196
awesomplete,LeaVerou/awesomplete,JavaScript,"Ultra lightweight, usable, beautiful autocomplete with zero dependencies.",4172,294,LeaVerou,Lea Verou,User,"Cambridge, MA",6767
layzr.js,callmecavs/layzr.js,JavaScript,"A small, fast, modern, and dependency-free library for lazy loading.",4079,192,callmecavs,Michael Cavalea,User,"New York, NY",5797
plyr,Selz/plyr,JavaScript,A simple HTML5 media player,4017,287,Selz,Selz,Organization,Sydney,4017
react-desktop,gabrielbull/react-desktop,JavaScript,React UI Components for OS X El Capitan and Windows 10,4007,125,gabrielbull,Gabriel Bull,User,"Montréal, Canada",4007
Clusterize.js,NeXTs/Clusterize.js,JavaScript,Tiny vanilla JS plugin to display large data sets easily,3991,172,NeXTs,Denis Lukov,User,"Odessa, Ukraine",5625
uBlock,gorhill/uBlock,JavaScript,uBlock Origin - An efficient blocker for Chromium and Firefox. Fast and lean.,3878,206,gorhill,Raymond Hill,User,Canada / Québec,3878
plotly.js,plotly/plotly.js,JavaScript,The open source javascript graphing library that powers plotly,3849,226,plotly,Plotly,Organization,Montréal,3849
elevator.js,tholman/elevator.js,JavaScript,"Finally, a 'back to top' button that behaves like a real elevator. ",3851,396,tholman,Tim Holman,User,"NYC, for the most part.",6993
echo-chamber-js,tessalt/echo-chamber-js,JavaScript,Commenting without the comments,3552,94,tessalt,Tessa Thornton,User,Canada,3552
jquery-tips-everyone-should-know,AllThingsSmitty/jquery-tips-everyone-should-know,JavaScript,A collection of simple tips to help up your jQuery game,3512,333,AllThingsSmitty,Matt Smith,User,"Portland, Maine",8838
standard,feross/standard,JavaScript,:star2: JavaScript Standard Style,3477,198,feross,Feross Aboukhadijeh,User,"Mountain View, CA",3796
react-ui-builder,ipselon/react-ui-builder,JavaScript,[DEPRECATED] React UI Builder became Structor http://helmetrex.com,3473,142,ipselon,Alex Pustovalov,User,Ukraine,5899
git-stats,IonicaBizau/git-stats,JavaScript,:four_leaf_clover: Local git statistics including GitHub-like contributions calendars.,3442,68,IonicaBizau,Ionică Bizău,User,Romania,4581
vibrant.js,jariz/vibrant.js,JavaScript,Extract prominent colors from an image. JS port of Android's Palette.,3407,107,jariz,Jari Zwarts,User,"Amsterdam, The Netherlands",4217
nuclide,facebook/nuclide,JavaScript,"An open IDE for web and native mobile development, built on top of Atom ",3331,183,facebook,Facebook,Organization,"Menlo Park, California",61260
react-motion,chenglou/react-motion,JavaScript,A spring that solves your animation problems.,3169,136,chenglou,Cheng Lou,User,"Montreal, Canada",3169
react-demos,ruanyf/react-demos,JavaScript,a collection of simple demos of React.js,3176,1212,ruanyf,Ruan YiFeng,User,"Shanghai, China",4394
butter-desktop,butterproject/butter-desktop,JavaScript,All the free parts of what used to be Popcorn Time,3120,622,butterproject,,Organization,,3120
react-redux-universal-hot-example,erikras/react-redux-universal-hot-example,JavaScript,"A starter boilerplate for a universal webapp using express, react, redux, webpack, and react-transform",3085,626,erikras,Erik Rasmussen,User,Spain,4607
labella.js,twitter/labella.js,JavaScript,Placing labels on a timeline without overlap.,3046,74,twitter,"Twitter, Inc.",Organization,"San Francisco, CA",7027
GitTorrent,cjb/GitTorrent,JavaScript,A decentralization of GitHub using BitTorrent and Bitcoin,3056,133,cjb,Chris Ball,User,"New York City, USA",3056
stf,openstf/stf,JavaScript,Control and manage Android devices from your browser.,3052,260,openstf,STF,Organization,Tokyo,3052
relax,relax/relax,JavaScript,New generation CMS on top of React and Node.js,2978,160,relax,Relax,Organization,,2978
exercises,kolodny/exercises,JavaScript,Some basic javascript coding challenges and interview questions,2848,350,kolodny,Moshe Kolodny,User,New York,2848
vantage,dthree/vantage,JavaScript,"Distributed, realtime CLI for live Node apps.",2832,62,dthree,dc,User,Los Angeles,4088
graphql-js,graphql/graphql-js,JavaScript,A reference implementation of GraphQL for JavaScript,2818,170,graphql,Facebook GraphQL,Organization,"Menlo Park, CA",4721
rollup,rollup/rollup,JavaScript,Next-generation ES6 module bundler,2661,64,rollup,,Organization,,2661
betwixt,kdzwinel/betwixt,JavaScript,:zap: Web Debugging Proxy based on Chrome DevTools Network panel.,2673,52,kdzwinel,Konrad Dzwinel,User,"Kraków, Poland",2673
hound,etsy/hound,JavaScript,Lightning fast code searching made easy,2644,195,etsy,"Etsy, Inc.",Organization,"Brooklyn, NY",3466
slackin,rauchg/slackin,JavaScript,Public Slack organizations made easy,2631,374,rauchg,Guillermo Rauch,User,SF,3866
jsblocks,astoilkov/jsblocks,JavaScript,Better MV-ish Framework,2635,113,astoilkov,Antonio Stoilkov,User,Bulgaria,3385
TheaterJS,Zhouzi/TheaterJS,JavaScript,Typing effect mimicking human behavior.,2580,141,Zhouzi,Gabin Aureche,User,France,2717
shipit,shipitjs/shipit,JavaScript,Universal automation and deployment tool written in JavaScript.,2552,78,shipitjs,Shipit,Organization,"Paris, France",2686
react-toolbox,react-toolbox/react-toolbox,JavaScript,A set of React components implementing Google's Material Design specification with the power of CSS Modules,2523,153,react-toolbox,React Toolbox,Organization,,2523
redux-devtools,gaearon/redux-devtools,JavaScript,"DevTools for Redux with hot reloading, action replay, and customizable UI",2494,165,gaearon,Dan Abramov,User,"London, UK",7814
radium,FormidableLabs/radium,JavaScript,A toolchain for React component styling.,2491,112,FormidableLabs,Formidable,Organization,"Seattle, WA",5716
whatiscode,BloombergMedia/whatiscode,JavaScript,Paul Ford’s “What Is Code?”,2460,187,BloombergMedia,Bloomberg Media,Organization,,2460
HTML-GL,PixelsCommander/HTML-GL,JavaScript,Get as many FPS as you need and amazing effects by rendering HTML/CSS in WebGL,2446,89,PixelsCommander,Denis Radin,User,"Amsterdam, Netherlands",2446
reactjs_koans,arkency/reactjs_koans,JavaScript,Learn basics of React.js making the tests pass,2437,182,arkency,Arkency,Organization,,2549
structor,ipselon/structor,JavaScript,User interface builder for React,2426,78,ipselon,Alex Pustovalov,User,Ukraine,5899
react-boilerplate,mxstbr/react-boilerplate,JavaScript,":fire: Quick setup for performance orientated, offline-first React.js applications featuring Redux, hot-reloading, PostCSS, react-router, ServiceWorker, AppCache, FontFaceObserver and Mocha.",2260,72,mxstbr,Max Stoiber,User,"Vienna, Austria",2260
rodeo,yhat/rodeo,JavaScript,A data science IDE for Python,2356,210,yhat,yhat,Organization,"New York, NY",3165
enzyme,airbnb/enzyme,JavaScript,JavaScript Testing utilities for React,2336,53,airbnb,Airbnb,Organization,San Francisco,8936
ttystudio,chjj/ttystudio,JavaScript,A terminal-to-gif recorder minus the headaches.,2325,53,chjj,Christopher Jeffrey (JJ),User,San Francisco,2325
react-transform-boilerplate,gaearon/react-transform-boilerplate,JavaScript,"A new Webpack boilerplate with hot reloading React components, and error handling on module and component level.",2229,239,gaearon,Dan Abramov,User,"London, UK",7814
lost,peterramsing/lost,JavaScript,"PostCSS fractional grid system built with calc() by the guy who built Jeet. Supports masonry, vertical, and waffle grids.",2180,104,peterramsing,Peter Ramsing,User,"Portland, Oregon",2180
tota11y,Khan/tota11y,JavaScript,an accessibility (a11y) visualization toolkit,2177,72,Khan,Khan Academy,Organization,"Mountain View, CA",2177
toxy,h2non/toxy,JavaScript,Hackable HTTP proxy to simulate server failure scenarios and network conditions,2171,60,h2non,Tomás Aparicio,User,"Dublin, Ireland",3103
Windows-universal-samples,Microsoft/Windows-universal-samples,JavaScript,"This repo contains the samples that demonstrate the API usage patterns for the Universal Windows Platform (UWP) in the Windows Software Development Kit (SDK) for Windows 10. These code samples are designed to run on both desktop, mobile and future devices that support the UWP.",2156,1673,Microsoft,Microsoft,Organization,"Redmond, WA",23867
react-native-nw-react-calculator,benoitvallon/react-native-nw-react-calculator,JavaScript,"Mobile, desktop and website Apps with the same code",2124,136,benoitvallon,Benoit VALLON,User,"New York, NY",2124
friends,moose-team/friends,JavaScript,:tv: P2P chat powered by the web.,2085,191,moose-team,MOOSE Team,Organization,A Distributed Hash Table Near You,2085
node-convergence-archive,nodejs/node-convergence-archive,JavaScript,Archive for node/io.js convergence work pre-3.0.0,2074,133,nodejs,,Organization,,3323
spectacle,FormidableLabs/spectacle,JavaScript,ReactJS based Presentation Library,2054,138,FormidableLabs,Formidable,Organization,"Seattle, WA",5716
wopr,yaronn/wopr,JavaScript,"A simple markup language for creating rich terminal reports, presentations and infographics",2043,41,yaronn,Yaron Naveh,User,Israel,9234
Split.js,nathancahill/Split.js,JavaScript,"Lightweight, unopinionated utility for adjustable split views",2009,79,nathancahill,Nathan Cahill,User,,2009
Typeset,davidmerfield/Typeset,JavaScript,An html pre-proces­sor for web ty­pog­ra­phy,2038,43,davidmerfield,David Merfield,User,San Francisco,2038
flux-comparison,voronianski/flux-comparison,JavaScript,Practical comparison of different Flux solutions,2017,131,voronianski,Dmitri Voronianski,User,"Kiev, Ukraine",3104
botkit,howdyai/botkit,JavaScript,Botkit is a toolkit for making bot applications,1987,100,howdyai,Howdy,Organization,"Austin, TX",1987
elemental,elementalui/elemental,JavaScript,A flexible and beautiful UI framework for React.js,1998,92,elementalui,Elemental UI,Organization,,1998
Ionic-Material,zachsoft/Ionic-Material,JavaScript,Seamless Material Design theme for Ionic,1995,537,zachsoft,Zach Fitzgerald,User,"Salt Lake City, UT",1995
doppler,DanielRapp/doppler,JavaScript,:wave: Motion detection using the doppler effect,1981,145,DanielRapp,Daniel Rapp,User,"Linköping, Sweden",1981
menubar,maxogden/menubar,JavaScript,➖ high level way to create menubar desktop applications with electron (formerly atom-shell),1966,95,maxogden,=^._.^=,User,,4885
node-osmosis,rc0x03/node-osmosis,JavaScript,Web scraper for NodeJS,1965,65,rc0x03,Robbie Chipka,User,"Wooster, Ohio",1965
gatsby,gatsbyjs/gatsby,JavaScript,Transform plain text into dynamic blogs and websites using React.js,1961,70,gatsbyjs,,Organization,,1961
ZhiHuDaily-React-Native,race604/ZhiHuDaily-React-Native,JavaScript,A Zhihu Daily(http://daily.zhihu.com/) App client implemented using React Native (Android and iOS).,1953,407,race604,,User,"Beijing, China",4036
deck-of-cards,pakastin/deck-of-cards,JavaScript,HTML5 Deck of Cards,1852,209,pakastin,Juha Lindstedt,User,Finland,2132
fixed-data-table,facebook/fixed-data-table,JavaScript,A React table component designed to allow presenting thousands of rows of data.,1845,229,facebook,Facebook,Organization,"Menlo Park, California",61260
memory-stats.js,paulirish/memory-stats.js,JavaScript,minimal monitor for JS Heap Size via performance.memory,1731,87,paulirish,Paul Irish,User,Palo Alto,2560
SUI-Mobile,sdc-alibaba/SUI-Mobile,JavaScript,SUI Mobile (MSUI)是由阿里巴巴国际UED前端出品的移动端UI库,轻量精美,1744,380,sdc-alibaba,Alibaba-IntlUED-FD,Organization,,1744
essential-react,pheuter/essential-react,JavaScript,A minimal skeleton for building testable React apps using ES6,1747,84,pheuter,Mark Fayngersh,User,New York,1747
jump.js,callmecavs/jump.js,JavaScript,"A small, modern, dependency-free smooth scrolling library.",1718,48,callmecavs,Michael Cavalea,User,"New York, NY",5797
ife,baidu-ife/ife,JavaScript,Baidu Institute of Front-End Technology,1714,1954,baidu-ife,,Organization,,1714
booking-js,timekit-io/booking-js,JavaScript,:date: Make a beautiful embeddable booking widget in minutes,1723,73,timekit-io,Timekit,Organization,,1723
incremental-dom,google/incremental-dom,JavaScript,,1723,58,google,Google,Organization,,70104
ContentTools,GetmeUK/ContentTools,JavaScript,A JS library for building WYSIWYG editors for HTML content.,1725,116,GetmeUK,getme,Organization,"Worcester, UK",1725
animateplus,bendc/animateplus,JavaScript,CSS and SVG animation library,1708,84,bendc,Benjamin De Cock,User,Belgium,7853
mui,muicss/mui,JavaScript,Lightweight CSS framework,1695,159,muicss,,Organization,"New York, NY",1981
react-color,casesandberg/react-color,JavaScript,":art: Color Pickers from Sketch, Photoshop, Chrome & more",1690,77,casesandberg,case,User,,2732
react-redux,rackt/react-redux,JavaScript,Official React bindings for Redux,1679,194,rackt,,Organization,,17451
mention-bot,facebook/mention-bot,JavaScript,Automatically mention potential reviewers on pull requests.,1680,76,facebook,Facebook,Organization,"Menlo Park, California",61260
js-cookie,js-cookie/js-cookie,JavaScript,"A simple, lightweight JavaScript API for handling browser cookies",1661,253,js-cookie,,Organization,The internet,1661
react-redux-starter-kit,davezuko/react-redux-starter-kit,JavaScript,"Get started with React, Redux, and React-Router!",1643,278,davezuko,David Zukowski,User,Michigan,1643
prosemirror,ProseMirror/prosemirror,JavaScript,The ProseMirror WYSIWYM editor,1648,86,ProseMirror,,Organization,,1648
fuzzysearch,bevacqua/fuzzysearch,JavaScript,:crystal_ball: Tiny and blazing-fast fuzzy search in JavaScript,1647,37,bevacqua,Nicolás Bevacqua,User,https://twitter.com/nzgb,20409
x-ray,lapwinglabs/x-ray,JavaScript,The next web scraper. See through the <html> noise.,1637,112,lapwinglabs,Lapwing Labs,Organization,San Francisco,2109
hack.chat,AndrewBelt/hack.chat,JavaScript,"a minimal, distraction-free chat application",1636,225,AndrewBelt,Andrew Belt,User,University of Tennessee,1910
Jets.js,NeXTs/Jets.js,JavaScript,Native CSS search engine,1634,57,NeXTs,Denis Lukov,User,"Odessa, Ukraine",5625
airflow,airbnb/airflow,JavaScript,"Airflow is a system to programmatically author, schedule and monitor data pipelines.",1611,297,airbnb,Airbnb,Organization,San Francisco,8936
vector,Netflix/vector,JavaScript,Vector is an on-host performance monitoring framework which exposes hand picked high resolution metrics to every engineer’s browser.,1603,90,Netflix,"Netflix, Inc.",Organization,"Los Gatos, California",8686
img2css,javierbyte/img2css,JavaScript,Convert any image to pure CSS.,1583,112,javierbyte,Javier Bórquez,User,"Guadalajara, MX",2047
iron-node,s-a/iron-node,JavaScript,Debug Node.js code with Chrome Developer Tools.,1534,35,s-a,Stephan Ahlf,User,Hamburg Germany,1534
HackerNews-React-Native,iSimar/HackerNews-React-Native,JavaScript,Hacker News iOS and Android App - Made with React Native.,1537,160,iSimar,Simar,User,"Toronto, ON, Canada",1646
webglstudio.js,jagenjo/webglstudio.js,JavaScript,"A full 3D graphics editor in the browser, with scene editor, coding pad, graph editor, virtual file system, and many features more.",1529,131,jagenjo,Javi Agenjo,User,Barcelona,1529
engine,Famous/engine,JavaScript,,1516,221,Famous,Famo.us,Organization,,1873
iconate,bitshadow/iconate,JavaScript,Transform your icons with trendy animations.,1512,160,bitshadow,Jignesh Kakadiya,User,"Bangalore, India",1512
documentation,documentationjs/documentation,JavaScript,"beautiful, flexible, powerful js docs",1499,47,documentationjs,,Organization,Worldwide,1499
react-isomorphic-starterkit,RickWong/react-isomorphic-starterkit,JavaScript,Create an isomorphic React app in less than 5 minutes!,1494,125,RickWong,Rick,User,"Amsterdam, NL",2339
Fluid-for-Sketch,matt-curtis/Fluid-for-Sketch,JavaScript,(Sketch Plugin) Sketch-flavored Auto Layout-like Constraints,1487,34,matt-curtis,Matt Curtis,User,,1487
t3js,box/t3js,JavaScript,A minimal component-based JavaScript framework,1475,112,box,Box,Organization,"Los Altos, CA",1943
react-native-desktop,ptmt/react-native-desktop,JavaScript,React Native for OS X ,1447,46,ptmt,Dima,User,Novosibirsk,1447
ioredis,luin/ioredis,JavaScript,"A robust, performance-focused and full-featured Redis client for Node and io.js.",1427,93,luin,Zihua Li,User,"Beijing, China",1427
justice,okor/justice,JavaScript,Embeddable script for displaying web page performance metrics.,1417,47,okor,Jason Ormand,User,"Astoria, NY",1417
Sketch-Flex-Layout,hrescak/Sketch-Flex-Layout,JavaScript,Plugin for Sketch allowing for CSS Flexbox layouts using stylesheets and prototypes,1410,49,hrescak,Matej Hrescak,User,"Palo Alto, Caliornia",1410
bliss,LeaVerou/bliss,JavaScript,Blissful JavaScript,1407,71,LeaVerou,Lea Verou,User,"Cambridge, MA",6767
fly,bucaran/fly,JavaScript,New Generation Build System,1401,45,bucaran,Jorge Bucaran,User,"Tokyo, Japan",2495
atom-pair,pusher/atom-pair,JavaScript,An Atom package that allows for epic pair programming,1395,24,pusher,Pusher,Organization,"London, UK",1395
flux-challenge,staltz/flux-challenge,JavaScript,A frontend challenge to test UI architectures and solutions,1384,172,staltz,André Staltz,User,"Helsinki, Finland",1504
MProgress.js,lightningtgc/MProgress.js,JavaScript,Material Progress —Google Material Design Progress linear bar. By using CSS3 and vanilla JavaScript. ,1379,93,lightningtgc,gctang,User,China,1944
cta.js,chinchang/cta.js,JavaScript,Animate your 'action-to-effect' paths,1374,128,chinchang,Kushagra Gour,User,"Delhi, India",1981
redux-router,acdlite/redux-router,JavaScript,Redux bindings for React Router – keep your router state inside your Redux store,1369,133,acdlite,Andrew Clark,User,"Redwood City, CA",4345
speed-test,sindresorhus/speed-test,JavaScript,Test your internet connection speed and ping using speedtest.net from the CLI,1369,43,sindresorhus,Sindre Sorhus,User,✈,11371
Mancy,princejwesley/Mancy,JavaScript, >_ Electron based NodeJS REPL :see_no_evil:,1330,71,princejwesley,Prince John Wesley,User,"Chennai, India",1330
react-refetch,heroku/react-refetch,JavaScript,"A simple, declarative, and composable way to fetch data for React components",1319,31,heroku,Heroku,Organization,"San Francisco, CA",1458
warriorjs,olistic/warriorjs,JavaScript,Game written in JavaScript for learning JavaScript and artificial intelligence.,1322,87,olistic,Matías Olivera,User,"Montevideo, Uruguay",1322
slack-poker-bot,CharlieHess/slack-poker-bot,JavaScript,A bot that deals Texas Hold'em games in Slack,1315,102,CharlieHess,Charlie Hess,User,"San Francisco, CA",1315
redux-simple-router,rackt/redux-simple-router,JavaScript,Ruthlessly simple bindings to keep react-router and redux in sync,1273,75,rackt,,Organization,,17451
unindexed,mroth/unindexed,JavaScript,:mag_right::grey_question: website that irrevocably deletes itself once indexed,1301,108,mroth,Matthew Rothenberg,User,"Brooklyn, NY",1301
lebab,mohebifar/lebab,JavaScript,Turn your ES5 code into readable ES6. It does the opposite of what Babel does.,1272,37,mohebifar,Mohamad Mohebifar,User,"Tehran, Iran",1272
reselect,rackt/reselect,JavaScript,Selector library for Redux,1257,32,rackt,,Organization,,17451
styleguide,hugeinc/styleguide,JavaScript,A tool to make creating and maintaining style guides easy.,1270,97,hugeinc,Huge,Organization,Brooklyn / Los Angeles / London / Rio De Janeiro / Portland,1270
babel-sublime,babel/babel-sublime,JavaScript,Syntax definitions for ES6 JavaScript with React JSX extensions.,1265,48,babel,Babel,Organization,,2097
frontend-boilerplate,tj/frontend-boilerplate,JavaScript,webpack-react-redux-babel-autoprefixer-hmr-postcss-css-modules-rucksack-boilerplate,942,50,tj,TJ Holowaychuk,User,"Victoria, BC, Canada",1369
redux-tutorial,happypoulp/redux-tutorial,JavaScript,Learn how to use redux step by step,1253,145,happypoulp,François Bonnefont,User,"Paris, France",1253
trine,jussi-kalliokoski/trine,JavaScript,A utility library for modern JavaScript.,1239,38,jussi-kalliokoski,Jussi Kalliokoski,User,Helsinki,1239
fontmin,ecomfe/fontmin,JavaScript,Minify font seamlessly,1237,72,ecomfe,Baidu EFE team,Organization,Beijing & Shanghai & Shenzhen,1936
material-start,angular/material-start,JavaScript,Quick Starter Repository for Angular Material,1221,852,angular,Angular,Organization,,2141
react-css-modules,gajus/react-css-modules,JavaScript,Seamless mapping of class names to CSS modules inside of React components.,1222,39,gajus,Gajus Kuizinas,User,London,1385
woofmark,bevacqua/woofmark,JavaScript,":dog2: Barking up the DOM tree. A modular, progressive, and beautiful Markdown and HTML editor",1224,38,bevacqua,Nicolás Bevacqua,User,https://twitter.com/nzgb,20409
texgen.js,mrdoob/texgen.js,JavaScript,Procedural Texture Generator,1222,55,mrdoob,Mr.doob,User,"London, England",1222
react-map-gl,uber/react-map-gl,JavaScript,,1211,46,uber,Uber,Organization,,2875
angular2-webpack-starter,AngularClass/angular2-webpack-starter,JavaScript,"An Angular 2 Webpack Starter kit featuring Angular 2 (Router, Http, Forms, Services, Tests, E2E), Karma, Protractor, Jasmine, Istanbul, TypeScript, Typings, and Webpack by @AngularClass",1176,421,AngularClass,AngularClass,Organization,"San Francisco, CA",2510
egg.js,mikeflynn/egg.js,JavaScript,A simple javascript library to add easter eggs to web pages.,1194,52,mikeflynn,Mike Flynn,User,"San Francisco, CA",1194
dreamjs,adleroliveira/dreamjs,JavaScript,A lightweight json data generator.,1166,50,adleroliveira,Adler Oliveira,User,Chile,1166
d3-shape,d3/d3-shape,JavaScript,"Graphical primitives for visualization, such as lines and areas.",1161,32,d3,D3,Organization,,1859
belle,nikgraf/belle,JavaScript,Configurable React Components with great UX,1159,32,nikgraf,Nik Graf,User,Vienna,1159
electron-react-boilerplate,chentsulin/electron-react-boilerplate,JavaScript,Live editing development on desktop app,1142,116,chentsulin,C. T. Lin,User,"Taipei, Taiwan",1770
drool,samccone/drool,JavaScript,⛲️ automated memory leak detection and analysis,1136,27,samccone,Sam Saccone,User,∆∆∆,1136
rucksack,simplaio/rucksack,JavaScript,"A little bag of CSS superpowers, built on PostCSS",1085,29,simplaio,Simpla,Organization,"Melbourne, Australia",1085
vorpal,dthree/vorpal,JavaScript,Node's framework for interactive CLI apps.,1108,35,dthree,dc,User,Los Angeles,4088
redux-form,erikras/redux-form,JavaScript,A Higher Order Component using react-redux to keep form state in a Redux store,1098,98,erikras,Erik Rasmussen,User,Spain,4607
amok,caspervonb/amok,JavaScript,Develop your web application without reloading,1107,35,caspervonb,Casper Beyer,User,,1107
filepizza,kern/filepizza,JavaScript,:pizza: Peer-to-peer file transfers in your browser,1103,75,kern,Alex Kern,User,"Berkeley, CA",1103
beep.js,stewdio/beep.js,JavaScript,Beep is a JavaScript toolkit for building browser-based synthesizers.,1097,72,stewdio,Stewart,User,Brooklyn NY,1097
blog,jlongster/blog,JavaScript,All the sources for my react-powered blog,1093,70,jlongster,James Long,User,"Richmond, VA",1251
antimoderate,whackashoe/antimoderate,JavaScript,The progressive image loading library for great good!,1085,71,whackashoe,,User,Eau Claire ,1085
agar.io-clone,huytd/agar.io-clone,JavaScript,Agar.io clone written with Socket.IO and HTML5 canvas,1086,395,huytd,Henry Tr.,User,"San Jose, CA",1520
react-webpack-cookbook,christianalfoni/react-webpack-cookbook,JavaScript,A cookbook for using webpack with React JS,1082,125,christianalfoni,Christian Alfoni,User,Norway,1563
chromecasts,mafintosh/chromecasts,JavaScript,Query your local network for Chromecasts and have them play media,1077,44,mafintosh,Mathias Buus,User,"Copenhagen, Denmark",3455
flexibility,10up/flexibility,JavaScript,Use flexbox while supporting older Internet Explorers,1042,43,10up,10up,Organization,United States,1042
Facebook-Messenger-Desktop,Aluxian/Facebook-Messenger-Desktop,JavaScript,"Bring messenger.com to your OS X, Windows or Linux desktop.",1057,138,Aluxian,Alexandru Rosianu,User,Europe,2170
guesstimate-app,getguesstimate/guesstimate-app,JavaScript,Create Fermi Estimates and Perform Monte Carlo Estimates,382,22,getguesstimate,,Organization,,382
updtr,peerigon/updtr,JavaScript,Update outdated npm modules with zero pain™,1013,11,peerigon,peerigon,Organization,"Augsburg, Germany ",1013
DICSS,letsgetrandy/DICSS,JavaScript,Directly injected CSS,1023,82,letsgetrandy,Randy Hunt,User,Chicago,1023
Sketch-Constraints,bouchenoiremarc/Sketch-Constraints,JavaScript,A plugin that integrates constraints in Sketch to lay out layers.,1019,31,bouchenoiremarc,Marc Bouchenoire,User,France,1019
atvImg,drewwilson/atvImg,JavaScript,,1014,67,drewwilson,Drew Wilson,User,,1014
WhatsApp-Desktop,Aluxian/WhatsApp-Desktop,JavaScript,"Use WhatsApp on your OS X, Windows or Linux desktop.",1009,151,Aluxian,Alexandru Rosianu,User,Europe,2170
electron-packager,maxogden/electron-packager,JavaScript,"Package and distribute your Electron app in OS executables (.app, .exe etc) via JS or CLI. Maintained by the community",1005,92,maxogden,=^._.^=,User,,4885
datedropper,felicegattuso/datedropper,JavaScript,datedropper is a jQuery plugin that provides a quick and easy way to manage dates for input fields.,998,124,felicegattuso,Felice Gattuso,User,"Bologna, Italy",998
velocity-react,twitter-fabric/velocity-react,JavaScript,React components for Velocity.js,994,48,twitter-fabric,Twitter Fabric,Organization,Boston & San Francisco,1118
aframe,aframevr/aframe,JavaScript,Building Blocks for the VR Web,977,89,aframevr,A-Frame,Organization,,977
editor.md,pandao/editor.md,JavaScript,The open source embeddable online markdown editor (component).,982,240,pandao,pandao,User,"Xiamen, China",982
shireframe,tsx/shireframe,JavaScript,"Declarative wireframes for programmers, based on web technologies. Pull requests are welcome!",981,40,tsx,Vyacheslav Tverskoy,User,,981
mesh.js,crcn/mesh.js,JavaScript,flexible message bus library,975,16,crcn,Craig Condon,User,"San Francisco, California",975
algebra.js,nicolewhite/algebra.js,JavaScript,"Build, display, and solve algebraic equations.",959,35,nicolewhite,Nicole White,User,"San Mateo, CA",959
flexboxfroggy,thomaspark/flexboxfroggy,JavaScript,A game for learning CSS flexbox,952,81,thomaspark,Thomas Park,User,Philadelphia,1377
Packages,sublimehq/Packages,JavaScript,,953,82,sublimehq,Sublime HQ Pty Ltd,User,,953
hjs-webpack,HenrikJoreteg/hjs-webpack,JavaScript,Helpers/presets for setting up webpack with hotloading react and ES6(2015) using Babel.,945,82,HenrikJoreteg,Henrik Joreteg,User,"West Richland, WA",1476
jsxstyle,petehunt/jsxstyle,JavaScript,,951,20,petehunt,Pete Hunt,User,"San Francisco, CA",1621
type.js,nathanford/type.js,JavaScript,Type.js – Typographic tools for better web type.,948,49,nathanford,Nathan Ford,User,"Penarth, Wales",948
react-dom-stream,aickin/react-dom-stream,JavaScript,A streaming server-side rendering library for React.,945,14,aickin,Sasha Aickin,User,"San Francisco, CA",945
git-commander,golbin/git-commander,JavaScript,A git tool with an easy terminal interface.,941,41,golbin,Jin Kim,User,Seoul,941
code-prettify,google/code-prettify,JavaScript,Automatically exported from code.google.com/p/google-code-prettify,931,165,google,Google,Organization,,70104
Programming-Alpha-To-Omega,justjavac/Programming-Alpha-To-Omega,JavaScript,从零开始学编程 系列汇总(从α到Ω),931,303,justjavac,迷渡,User,"Tianjin, China",931
RxJS,ReactiveX/RxJS,JavaScript,A reactive programming library for JavaScript,919,78,ReactiveX,ReactiveX,Organization,,3395
YouTransfer,remie/YouTransfer,JavaScript,The simple but elegant self-hosted file transfer & sharing solution,925,36,remie,Remie Bolte,User,"Amsterdam, Netherlands",925
pencil,prikhi/pencil,JavaScript,Multiplatform GUI Prototyping/Wireframing,917,76,prikhi,Lysergia,User,,917
responsively-lazy,ivopetkov/responsively-lazy,JavaScript,Lazy load responsive images,902,17,ivopetkov,Ivo Petkov,User,,902
react-blessed,Yomguithereal/react-blessed,JavaScript,A react renderer for blessed.,899,27,Yomguithereal,Guillaume Plique,User,France,1085
watermarkjs,brianium/watermarkjs,JavaScript,Watermarking for the browser,901,52,brianium,Brian Scaturro,User,United States,901
browser.html,mozilla/browser.html,JavaScript,Experimental browser built in HTML,889,80,mozilla,Mozilla,Organization,"Mountain View, California",1905
playback,mafintosh/playback,JavaScript,Video player build using atom-shell and node.js,883,87,mafintosh,Mathias Buus,User,"Copenhagen, Denmark",3455
mrn,binggg/mrn,JavaScript,Material React Native (MRN) - A Material Design style React Native component library.,879,55,binggg,Ben Zhao,User,China,879
pokedex.org,nolanlawson/pokedex.org,JavaScript,Offline-capable Pokédex web site,875,59,nolanlawson,Nolan Lawson,User,NYC,875
reactcss,casesandberg/reactcss,JavaScript,:large_blue_diamond: Bringing Classes to Inline Styles,876,25,casesandberg,case,User,,2732
mongotron,officert/mongotron,JavaScript,Cross platform Mongo DB management,860,37,officert,Tim Officer,User,"Boston, MA",860
mojibar,muan/mojibar,JavaScript,:tangerine: Emoji searcher but as a menubar app.,859,38,muan,Mu-An Chiou,User,Travelling,969
fingerprintjs2,Valve/fingerprintjs2,JavaScript,"Modern & flexible browser fingerprinting library, a successor to the original fingerprintjs",861,136,Valve,Valentin Vasilyev,User,Кисловодск,861
neural-network-papers,robertsdionne/neural-network-papers,JavaScript,,860,98,robertsdionne,Robert Dionne,User,New York,860
hacker-menu,jingweno/hacker-menu,JavaScript,Hacker News Delivered to Desktop :dancers:,857,62,jingweno,Jingwen Owen Ou,User,Vancouver,2385
graphiql,graphql/graphiql,JavaScript,An in-browser IDE for exploring GraphQL.,854,43,graphql,Facebook GraphQL,Organization,"Menlo Park, CA",4721
recompose,acdlite/recompose,JavaScript,A React utility belt for function components and higher-order components.,851,36,acdlite,Andrew Clark,User,"Redwood City, CA",4345
react-transmit,RickWong/react-transmit,JavaScript,Relay-inspired library based on Promises instead of GraphQL.,845,41,RickWong,Rick,User,"Amsterdam, NL",2339
react-resolver,ericclemmons/react-resolver,JavaScript,Async rendering & data-fetching for universal React applications.,840,25,ericclemmons,Eric Clemmons,User,"Houston, Texas",840
history,rackt/history,JavaScript,"A minimal, functional history library for JavaScript",828,80,rackt,,Organization,,17451
cssfmt,morishitter/cssfmt,JavaScript,"CSSfmt is a tool that automatically formats CSS and SCSS source code, inspired by Gofmt.",835,23,morishitter,Masaaki Morishita,User,"Tokyo, Japan",1093
Agar.io-bot,Apostolique/Agar.io-bot,JavaScript,The aim of the project is to create a bot that can play Agar.io,829,1899,Apostolique,Jean-David Moisan,User,,829
ParseReact,ParsePlatform/ParseReact,JavaScript,Seamlessly bring Parse data into your React applications.,827,104,ParsePlatform,Parse,Organization,"Menlo Park, CA",4296
xo,sindresorhus/xo,JavaScript,JavaScript happiness style linter ❤️,820,23,sindresorhus,Sindre Sorhus,User,✈,11371
ied,alexanderGugel/ied,JavaScript,":package: Like npm, but faster - an alternative package manager for Node (WIP)",821,30,alexanderGugel,Alexander Gugel,User,London,1534
betty,SamyPesse/betty,JavaScript,"Google Voice with Receptionist abilities, built on top of Twilio",818,33,SamyPesse,Samy Pessé,User,"Lyon, France / Mountain View, CA",818
me-api,danfang/me-api,JavaScript,"An extensible, personal API with custom integrations",813,40,danfang,Daniel Fang,User,"Seattle, WA",813
alex,wooorm/alex,JavaScript,"Catch insensitive, inconsiderate writing",797,28,wooorm,Titus Wormer,User,,797
bqplot,bloomberg/bqplot,JavaScript,Plotting library for IPython/Jupyter Notebooks,810,49,bloomberg,Bloomberg Finance L.P.,Organization,"New York, NY",810
mama2,zythum/mama2,JavaScript,妈妈计划-众人拾柴火焰高,801,140,zythum,朱一,User,"Beijing, China",801
promisees,bevacqua/promisees,JavaScript,:incoming_envelope: Promise visualization playground for the adventurous,804,26,bevacqua,Nicolás Bevacqua,User,https://twitter.com/nzgb,20409
react-native-dribbble-app,catalinmiron/react-native-dribbble-app,JavaScript,Dribbble app built with React Native,799,105,catalinmiron,Catalin Miron,User,Bucharest,799
goojs,GooTechnologies/goojs,JavaScript,3D WebGL engine.,799,70,GooTechnologies,Goo Technologies,Organization,,799
webpack_react,survivejs/webpack_react,JavaScript,From apprentice to master (CC BY-NC-ND),789,149,survivejs,SurviveJS,Organization,,789
core,c9/core,JavaScript,Cloud9 Core - Part of the Cloud9 SDK for Plugin Development,793,270,c9,Cloud9,Organization,The world is our playground,793
jstips,loverajoel/jstips,JavaScript,This is about one JS tip every day!,624,20,loverajoel,Joel Lovera,User,Córdoba,744
sketch-palettes,andrewfiorillo/sketch-palettes,JavaScript,Sketch plugin that lets you save and load colors in the color picker,785,28,andrewfiorillo,Andrew Fiorillo,User,"Brooklyn, NY",785
react-d3-components,codesuki/react-d3-components,JavaScript,D3 Components for React,785,79,codesuki,Neri Marschik,User,"Shibuya, Tokyo, Japan",785
be-mean-instagram,Webschool-io/be-mean-instagram,JavaScript,"Curso voltado a ensinar o stack conhecido como MEAN(MongoDb, Express, Angular e Node.js) para criarmos um sistema igual do Instagram.",784,469,Webschool-io,WebSchool.io,Organization,,1233
babel-plugin-handbook,thejameskyle/babel-plugin-handbook,JavaScript,How to create Babel plugins,764,42,thejameskyle,James Kyle,User,"San Francisco, CA",764
react-native-swiper,leecade/react-native-swiper,JavaScript,The best Swiper component for React Native.,776,122,leecade,斯人,User,"Beijing, China",1413
yolk,garbles/yolk,JavaScript,:egg: A library for building asynchronous user interfaces.,776,24,garbles,Gabe Scholz,User,"Vancouver, Canada",776
microm,zzarcon/microm,JavaScript,:musical_note: Beautiful library to convert browser microphone to mp3 in Javascript :musical_note:,773,39,zzarcon,Hector Leon Zarco Garcia,User,✈,773
boron,yuanyan/boron,JavaScript,A collection of dialog animations with React.js,774,67,yuanyan,元彦,User,China,1321
redux-blog-example,GetExpert/redux-blog-example,JavaScript,"Full-featured example with Redux, React-Router, JWT auth and CSS Modules.",770,57,GetExpert,Get Expert,Organization,,770
fis3,fex-team/fis3,JavaScript,FIS3,764,270,fex-team,Baidu FEX team,Organization,beijing,1038
WebFrontEndStack,unruledboy/WebFrontEndStack,JavaScript,"web front end stack: browsers, platforms, libraries, frameworks, tools etc.",764,165,unruledboy,Wilson Chen,User,"Sydney, Australia",1220
vue-strap,yuche/vue-strap,JavaScript,Bootstrap components built with Vue.js,749,86,yuche,yuche,User,,749
ie8linter,israelidanny/ie8linter,JavaScript,"A little tool to lint websites for IE8 compatibility, with warnings for possible pitfalls",755,21,israelidanny,Danny Povolotski,User,"Jerusalem, Israel",755
neal-react,dennybritz/neal-react,JavaScript,Startup Landing Page Components for React.js,753,30,dennybritz,Denny Britz,User,"Stanford, CA",1180
react-native-web,necolas/react-native-web,JavaScript,React Native for Web: A framework for building Native Web Apps,751,31,necolas,Nicolas Gallagher,User,"San Francisco, CA",751
console.message,astoilkov/console.message,JavaScript,Console messages for cool kids,750,13,astoilkov,Antonio Stoilkov,User,Bulgaria,3385
react-engine,paypal/react-engine,JavaScript,a composite render engine for universal (isomorphic) express apps to render both plain react views and react-router views,743,77,paypal,PayPal,Organization,"San Jose, CA",1587
keeweb,antelle/keeweb,JavaScript,KeePass web app (unofficial),723,46,antelle,,User,,723
redux-thunk,gaearon/redux-thunk,JavaScript,Thunk middleware for Redux,719,37,gaearon,Dan Abramov,User,"London, UK",7814
login-with-ssh,altitude/login-with-ssh,JavaScript,An experiment to authenticate web sessions with SSH - http://demo-ssh.32b6.com,723,29,altitude,Clément Salaün,User,"Brest, France",723
mlp-character-recognition,mateogianolio/mlp-character-recognition,JavaScript,Trains a multi-layer perceptron (MLP) neural network to perform optical character recognition (OCR).,720,35,mateogianolio,Mateo Gianolio,User,Sweden,1684
WebClient,ProtonMail/WebClient,JavaScript,Official AngularJS Web Client for ProtonMail,713,82,ProtonMail,,Organization,"Geneva, Switzerland",713
react-native-router,t4t5/react-native-router,JavaScript,Awesome navigation for your React Native app.,707,109,t4t5,Tristan Edwards,User,"Stockholm, Sweden",707
layout-grid,clippings/layout-grid,JavaScript,Static responsive grid with pure css. Javascript using native drag-n-drop to reorder for each screen size on desktop and mobile.,709,27,clippings,Clippings Ltd.,Organization,,709
smart-mirror,evancohen/smart-mirror,JavaScript,The fairest of them all,705,186,evancohen,Evan Cohen,User,Seattle,705
roll,williamngan/roll,JavaScript,roll and scroll tracking -- a tiny javascript library,706,47,williamngan,William Ngan,User,,1596
react-helmet,nfl/react-helmet,JavaScript,A document head manager for React,689,36,nfl,National Football League,Organization,"Culver City, CA",689
gitify,ekonstantinidis/gitify,JavaScript,GitHub Notifications on your menu bar.,690,45,ekonstantinidis,Emmanouil Konstantinidis,User,"Brighton, United Kingdom",690
google-map-react,istarkov/google-map-react,JavaScript,"isomorphic google map react component, allows render react components on the google map",677,52,istarkov,Ivan Starkov,User,"Vologda, Russia",908
react-soundplayer,soundblogs/react-soundplayer,JavaScript,Create custom SoundCloud players with React,675,30,soundblogs,soundblo.gs,Organization,Worldwide,675
commandcar,tikalk/commandcar,JavaScript,curl on steroids,673,14,tikalk,"Tikal Knowledge, Ltd.",Organization,"Tel-Aviv, Israel",673
spaces-design,adobe-photoshop/spaces-design,JavaScript,Adobe Photoshop Design Space,671,42,adobe-photoshop,Adobe Photoshop,Organization,,671
ElasticProgress,codrops/ElasticProgress,JavaScript,Creates a button that turns into a progress bar with a elastic effect. Based on the Dribbble shot 'Download' by xjw,670,61,codrops,Codrops,Organization,,3303
flux-standard-action,acdlite/flux-standard-action,JavaScript,A human-friendly standard for Flux action objects.,664,11,acdlite,Andrew Clark,User,"Redwood City, CA",4345
nipplejs,yoannmoinet/nipplejs,JavaScript,:video_game: A virtual joystick for touch capable interfaces.,667,33,yoannmoinet,Yoann Moinet,User,Montreal,667
horsey,bevacqua/horsey,JavaScript,:horse: Progressive and customizable autocomplete component,667,48,bevacqua,Nicolás Bevacqua,User,https://twitter.com/nzgb,20409
dns.js.org,js-org/dns.js.org,JavaScript,Free and short JS.ORG domains for GitHub Pages,658,333,js-org,JS.ORG,Organization,,772
ManifoldJS,manifoldjs/ManifoldJS,JavaScript,Node.js tool for App Generation,664,60,manifoldjs,ManifoldJS,Organization,,664
Mongol,msavin/Mongol,JavaScript,In-App MongoDB Editor for Meteor,661,24,msavin,Max Savin,User,New York,832
robokitty,rachelnicole/robokitty,JavaScript,A DIY Cat (or dog. or human) Feeder powered by node,655,20,rachelnicole,Rachel White,User,brooklyn,655
livereactload,milankinen/livereactload,JavaScript,Live code editing with Browserify and React,653,29,milankinen,Matti Lankinen,User,Finland,653
logdown,caiogondim/logdown,JavaScript,:notebook: Debug utility with markdown support that runs on browser and server,655,22,caiogondim,Caio Gondim,User,Amsterdam,883
oceanic-next-color-scheme,voronianski/oceanic-next-color-scheme,JavaScript,"Sublime Text 2/3 color scheme ready for ES6, optimized for babel-sublime (former 6to5-sublime) package",653,32,voronianski,Dmitri Voronianski,User,"Kiev, Ukraine",3104
marauders-map,arank/marauders-map,JavaScript,A chrome extension to creepily map your friends' locations from FB messenger,652,221,arank,Aran Khanna,User,United States,652
camaleon-cms,owen2345/camaleon-cms,JavaScript,Camaleon CMS is a dynamic and advanced content management system based on Ruby on Rails 4.,651,99,owen2345,Owen Peredo Diaz,User,Cochabamba - Bolivia,651
Orchard,OrchardCMS/Orchard,JavaScript,"Orchard is a free, open source, community-focused Content Management System built on the ASP.NET MVC platform.",648,442,OrchardCMS,OrchardCMS,Organization,,648
js2image,xinyu198736/js2image,JavaScript,一个可以把js源代码压缩成一个ascii字符画的源代码的工具,压缩后的代码仍可运行 (A tool can compress JavaScript code to any ascii image and still run normally ),647,45,xinyu198736,芋头,User,china hangzhou 西湖区,647
trails,trailsjs/trails,JavaScript,:evergreen_tree: Modern MVC Web Framework for Node.js.,648,21,trailsjs,trails.js,Organization,Open Source Land,648
victory,FormidableLabs/victory,JavaScript,A collection of composable React components for building interactive data visualizations,634,18,FormidableLabs,Formidable,Organization,"Seattle, WA",5716
sniffly,diracdeltas/sniffly,JavaScript,Sniffing browser history using HSTS + CSP.,637,67,diracdeltas,yan zhu (@bcrypt),User,SF / BOS / NYC / LA,637
howtocenterincss,oliverzheng/howtocenterincss,JavaScript,CSS generator for centering text/div depending on their size or the container size.,637,33,oliverzheng,Oliver Zheng,User,"Seattle, WA",637
imessageclient,CamHenlin/imessageclient,JavaScript,send and receive iMessages in a terminal or over ssh,634,28,CamHenlin,Cameron Henlin,User,"Eugene, OR",759
babel-eslint,babel/babel-eslint,JavaScript,ESLint using Babel as the parser.,630,34,babel,Babel,Organization,,2097
babel-plugin-react-transform,gaearon/babel-plugin-react-transform,JavaScript,Babel plugin to instrument React components with custom transforms,632,54,gaearon,Dan Abramov,User,"London, UK",7814
tcomb-form-native,gcanti/tcomb-form-native,JavaScript,Forms library for react-native,633,51,gcanti,Giulio Canti,User,"Milan, Italy",792
map-chat,idoco/map-chat,JavaScript,A super simple location based chat,632,102,idoco,Ido Cohen,User,Tel aviv,632
deckofcards,crobertsbmw/deckofcards,JavaScript,An API to simulate a deck of cards,630,49,crobertsbmw,Chase Roberts,User,,630
sound-redux,andrewngu/sound-redux,JavaScript,A Soundcloud client built with React / Redux,622,67,andrewngu,Andrew Nguyen,User,"San Francisco, CA",622
konva,konvajs/konva,JavaScript,Konva.js is an HTML5 Canvas JavaScript framework that extends the 2d context by enabling canvas interactivity for desktop and mobile applications.,622,51,konvajs,konva,Organization,,622
electron-boilerplate,szwacz/electron-boilerplate,JavaScript,Boilerplate application for Electron runtime,619,135,szwacz,Jakub Szwacz,User,"Kraków, Poland",619
minggeJS,drduan/minggeJS,JavaScript,作者官方git号:,623,160,drduan,dr.duang,User,dalian,743
strml.net,STRML/strml.net,JavaScript,STRML: Projects & Work,621,167,STRML,Samuel Reed,User,"Milwaukee, WI",621
tdb,ericjang/tdb,JavaScript,"Interactive, node-by-node debugging and visualization for TensorFlow",617,35,ericjang,Eric Jang,User,,617
isomorphic-flux-boilerplate,iam4x/isomorphic-flux-boilerplate,JavaScript,ES7 Isomorphic Flux/ReactJS Boilerplate,615,92,iam4x,Max Tyler,User,Paris 10,615
ritzy,ritzyed/ritzy,JavaScript,Collaborative web-based rich text editor,614,24,ritzyed,,Organization,,614
docker-mon,icecrime/docker-mon,JavaScript,Console-based Docker monitoring,613,25,icecrime,Arnaud Porterie,User,San Francisco,713
canvid,gka/canvid,JavaScript,tiny js library for playing video on canvas elements (without audio),606,23,gka,Gregor Aisch,User,Brooklyn,852
notebook,jupyter/notebook,JavaScript,Jupyter Interactive Notebook,600,174,jupyter,Project Jupyter,Organization,The Future,707
amazeui-react,amazeui/amazeui-react,JavaScript,Amaze UI components built with React.js.,603,93,amazeui,Amaze UI,Organization,"Beijing, China",742
mind,stevenmiller888/mind,JavaScript,A flexible neural network library,601,27,stevenmiller888,Steven Miller,User,"San Francisco, CA",1082
budo,mattdesl/budo,JavaScript,:clapper: a dev server for rapid prototyping,589,27,mattdesl,Matt DesLauriers,User,Toronto,2798
gulp-book,nimojs/gulp-book,JavaScript, Gulp 入门指南,594,152,nimojs,Nimo True,User,Shanghai China,877
react-rethinkdb,mikemintz/react-rethinkdb,JavaScript,Render realtime RethinkDB results in React,592,14,mikemintz,Mike Mintz,User,,592
react-sparklines,borisyankov/react-sparklines,JavaScript,Beautiful and expressive Sparklines React component,590,28,borisyankov,Boris Yankov,User,,590
Quttons,nashvail/Quttons,JavaScript,Buttons made of Quantum Paper ,587,60,nashvail,Nash Vail,User,India,724
caprine,sindresorhus/caprine,JavaScript,Unofficial Facebook Messenger app,586,34,sindresorhus,Sindre Sorhus,User,✈,11371
instantsearch.js,algolia/instantsearch.js,JavaScript,instantsearch.js is a library of widgets designed for high performance instant search experiences using Algolia,584,55,algolia,Algolia,Organization,,787
react-native-webpack-server,mjohnston/react-native-webpack-server,JavaScript,Build React Native apps with Webpack,583,62,mjohnston,Michael Johnston,User,,583
d3-scale,d3/d3-scale,JavaScript,Encodings that map abstract data to visual representation.,569,22,d3,D3,Organization,,1859
trolol,ukupat/trolol,JavaScript,Troll your friends with simple commands AS QUICKLY AS POSSIBLE,582,16,ukupat,Uku Pattak,User,"Tartu, Estonia",802
JSCity,aserg-ufmg/JSCity,JavaScript,Visualizing JavaScript source code as navigable 3D cities,582,30,aserg-ufmg,Applied Software Engineering Research Group,Organization,"Belo Horizonte, Brazil",582
gethttpsforfree,diafygi/gethttpsforfree,JavaScript,Source code for https://gethttpsforfree.com/,576,57,diafygi,Daniel Roesler,User,"Oakland, CA",5657
webpack-demos,ruanyf/webpack-demos,JavaScript,a collection of simple demos of Webpack,573,199,ruanyf,Ruan YiFeng,User,"Shanghai, China",4394
React-For-Beginners-Starter-Files,wesbos/React-For-Beginners-Starter-Files,JavaScript,Starter files for learning React.js with React for Beginners,575,142,wesbos,Wes Bos,User,"Toronto, Ontario",575
redux-actions,acdlite/redux-actions,JavaScript,Flux Standard Action utilities for Redux.,570,26,acdlite,Andrew Clark,User,"Redwood City, CA",4345
flyd,paldepind/flyd,JavaScript,"The minimalistic but powerful, modular, functional reactive programming library in JavaScript.",575,39,paldepind,Simon Friis Vindum,User,"Aarhus, Denmark",1263
dataloader,facebook/dataloader,JavaScript,DataLoader is a generic utility to be used as part of your application's data fetching layer to provide a consistent API over various backends and reduce requests to those backends via batching and caching.,574,15,facebook,Facebook,Organization,"Menlo Park, California",61260
explorer,keen/explorer,JavaScript,Keen IO Data Explorer - a point-and-click analytics and visualization tool,575,42,keen,Keen IO,Organization,"San Francisco, CA",575
insignia,bevacqua/insignia,JavaScript,:bookmark: Customizable tag input. Progressive. No non-sense!,572,24,bevacqua,Nicolás Bevacqua,User,https://twitter.com/nzgb,20409
skilltree,phodal/skilltree,JavaScript,Web Developer 技能树,568,97,phodal,Fengda Huang,User,Xiamen China,2292
esdoc,esdoc/esdoc,JavaScript,Good Documentation For JavaScript(ES2015),561,47,esdoc,ESDoc,Organization,,561
material-refresh,lightningtgc/material-refresh,JavaScript,Google Material Design swipe(pull) to refresh by using JavaScript and CSS3.,565,82,lightningtgc,gctang,User,China,1944
react-render-visualizer,redsunsoft/react-render-visualizer,JavaScript,Render visualizer for ReactJS,555,13,redsunsoft,Tony C,User,"Palo Alto, CA",555
cropperjs,fengyuanchen/cropperjs,JavaScript,JavaScript image cropper.,540,33,fengyuanchen,Fengyuan Chen,User,"Hangzhou, China",673
redux-react-router-async-example,emmenko/redux-react-router-async-example,JavaScript,A showcase of the Redux architecture with React Router,548,98,emmenko,Nicola Molinari,User,Munich,548
halogen,yuanyan/halogen,JavaScript,A collection of loading spinners with React.js,547,37,yuanyan,元彦,User,China,1321
blueprint3d,furnishup/blueprint3d,JavaScript,Build interior spaces in 3D,547,36,furnishup,FurnishUp,Organization,,547
core-decorators.js,jayphelps/core-decorators.js,JavaScript,"Library of JavaScript decorators (aka ES2016/ES7 decorators) inspired by languages that come with built-ins like @​override, @​deprecate, @​autobind, @​mixin and more. Popular with React/Angular, but is framework agnostic.",542,31,jayphelps,Jay Phelps,User,"Bay Area, CA",542
sleepy-puppy,Netflix/sleepy-puppy,JavaScript,Sleepy Puppy XSS Payload Management Framework,542,50,Netflix,"Netflix, Inc.",Organization,"Los Gatos, California",8686
react-virtualized,bvaughn/react-virtualized,JavaScript,"React components for efficiently rendering large, scrollable lists and tabular data",535,14,bvaughn,Brian Vaughn,User,"Sunnyvale, CA",535
webpack-demo,css-modules/webpack-demo,JavaScript,"Working demo of CSS Modules, using Webpack's css-loader in module mode",540,48,css-modules,,Organization,,3546
show-me-the-react,cymen/show-me-the-react,JavaScript,A Google Chrome extension that highlights React components on the page.,539,17,cymen,Cymen Vig,User,"Oakland, California",539
react-native-scrollable-tab-view,brentvatne/react-native-scrollable-tab-view,JavaScript,"Tabbed navigation that you can swipe between, each tab can have its own ScrollView and maintain its own scroll position between swipes. Pleasantly animated. Customizable tab bar",532,115,brentvatne,Brent Vatne,User,"Vancouver, Canada",2353
react-a11y,rackt/react-a11y,JavaScript,Identifies accessibility issues in your React.js elements,532,31,rackt,,Organization,,17451
varnish-dashboard,brandonwamboldt/varnish-dashboard,JavaScript,Advanced realtime Varnish dashboard with support for multiple servers and advanced management tasks,531,41,brandonwamboldt,Brandon Wamboldt,User,"Halifax, Nova Scotia (Canada)",531
sshync,mateogianolio/sshync,JavaScript,Auto-sync files or directories over SSH.,530,20,mateogianolio,Mateo Gianolio,User,Sweden,1684
airpaste,mafintosh/airpaste,JavaScript,A 1-1 network pipe that auto discovers other peers using mdns,529,12,mafintosh,Mathias Buus,User,"Copenhagen, Denmark",3455
NG6-starter,AngularClass/NG6-starter,JavaScript,An AngularJS Starter repo for Angular + ES6 + (Webpack or JSPM) by @AngularClass,524,262,AngularClass,AngularClass,Organization,"San Francisco, CA",2510
relay-starter-kit,relayjs/relay-starter-kit,JavaScript,Barebones starting point for a Relay application.,525,112,relayjs,,Organization,,525
universal-react-boilerplate,cloverfield-tools/universal-react-boilerplate,JavaScript,A simple boilerplate Node app.,521,54,cloverfield-tools,,Organization,,801
react-static-boilerplate,koistya/react-static-boilerplate,JavaScript,"Boilerplate and tooling for React.js apps optimized for CDN hosting like GitHub Pages, Amazon S3 or Firebase. Stack: React.js, postCSS, Sass, ES6+, Babel, Webpack, BrowserSync, React Hot Loader",524,57,koistya,Konstantin Tarkus,User,New York ✈ Saint Petersburg,524
APlayer,DIYgod/APlayer,JavaScript,":wind_chime:Wow, such a beautiful html5 music player",511,74,DIYgod,Wenjie Fan,User,"Wuhan, China",718
design-system,salesforce-ux/design-system,JavaScript,Salesforce Lightning Design System,519,82,salesforce-ux,Salesforce UX,Organization,San Francisco,519
smart-table-scroll,cmpolis/smart-table-scroll,JavaScript,Build 1MM row tables with native scroll bars by reusing and yielding nodes.,520,12,cmpolis,Chris Polis,User,California,701
thebookofshaders,patriciogonzalezvivo/thebookofshaders,JavaScript,Step-by-step guide through the abstract and complex universe of Fragment Shaders.,515,34,patriciogonzalezvivo,Patricio Gonzalez Vivo,User,"Manhattan, New York",515
cluster,meteorhacks/cluster,JavaScript,Clustering solution for Meteor with load balancing and service discovery,513,39,meteorhacks,,Organization,,763
DecorateThis,mako-taco/DecorateThis,JavaScript,JS Decorators library,513,7,mako-taco,Jake Scott,User,Northern VA,513
django-material,viewflow/django-material,JavaScript,Material Design for django forms and admin,513,58,viewflow,Viewflow,Organization,,513
slack-bot-api,mishk0/slack-bot-api,JavaScript,Simple way to control your Slack Bot,513,29,mishk0,Mikhail Mokrushin,User,"Moscow, Russia",696
micromono,lsm/micromono,JavaScript,Write microservices in monolithic style,513,18,lsm,lsm,User,"Seattle, WA",513
greuler,maurizzzio/greuler,JavaScript,graph theory visualizations,512,16,maurizzzio,Mauricio Poppe,User,Bolivia,684
clor,bucaran/clor,JavaScript,Sexy terminal styles,511,12,bucaran,Jorge Bucaran,User,"Tokyo, Japan",2495
re-base,tylermcginnis/re-base,JavaScript,:fire: A Relay inspired library for building React.js + Firebase applications. :fire:,508,35,tylermcginnis,Tyler McGinnis,User,"Salt Lake City, Utah",624
JSBrowser,MicrosoftEdge/JSBrowser,JavaScript,:evergreen_tree: A web browser built with JavaScript as a Windows app,504,127,MicrosoftEdge,Microsoft Edge,Organization,,706
infinite-list,roeierez/infinite-list,JavaScript,Infinite list in javascript that scrolls in 60fps,507,22,roeierez,Roei Erez,User,,507
noder-react-native,soliury/noder-react-native,JavaScript,The mobile app of cnodejs.org written in React Native,503,99,soliury,soliury,User,Beijing China,503
mapv,huiyan-fe/mapv,JavaScript,"地图可视化工具库,canvas,map,visualization",504,181,huiyan-fe,huiyan fe team,Organization,beijing,504
rwb,petehunt/rwb,JavaScript,,496,13,petehunt,Pete Hunt,User,"San Francisco, CA",1621
go-starter-kit,olebedev/go-starter-kit,JavaScript,Golang Isomorphic React/Hot Reloadable/Redux/Css-Modules Starter Kit,500,54,olebedev,Oleg Lebedev,User,vim,757
valid.js,dleitee/valid.js,JavaScript,A simple library for data validation.,501,20,dleitee,Daniel Leite de Oliveira,User,Florianópolis/SC,501
keysweeper,samyk/keysweeper,JavaScript,"KeySweeper is a stealthy Arduino-based device, camouflaged as a functioning USB wall charger, that wirelessly and passively sniffs, decrypts, logs and reports back (over GSM) all keystrokes from any Microsoft wireless keyboard in the vicinity.",500,111,samyk,Samy Kamkar,User,"Los Angeles, California",773
landio-html,tatygrassini/landio-html,JavaScript,Landio design (Sketch 2 HTML),497,81,tatygrassini,tatygrassini,User,Barcelona,497
react-mixin,brigand/react-mixin,JavaScript,mixins in react with es6 style classes,495,24,brigand,Frankie Bagnardi,User,near Phoenix,495
svg-mesh-3d,mattdesl/svg-mesh-3d,JavaScript,:rocket: converts a SVG path to a 3D mesh,496,25,mattdesl,Matt DesLauriers,User,Toronto,2798
express-graphql,graphql/express-graphql,JavaScript,Create a GraphQL HTTP server with Express.,492,39,graphql,Facebook GraphQL,Organization,"Menlo Park, CA",4721
memdb,rain1017/memdb,JavaScript,Distributed Transactional In-Memory Database (全球首个支持分布式事务的MongoDB),590,152,rain1017,Yu Xia,User,China,733
simplemde-markdown-editor,NextStepWebs/simplemde-markdown-editor,JavaScript,"A simple, beautiful, and embeddable JavaScript Markdown editor. Features autosaving and spell checking.",488,87,NextStepWebs,"Next Step Webs, Inc.",Organization,"Houston, TX",488
envdb,mephux/envdb,JavaScript,Envdb - Ask your environment questions.,489,10,mephux,Dustin Willis Webber,User,"Boston, MA",489
react-native-material-kit,xinthink/react-native-material-kit,JavaScript,Bringing Material Design to React Native,483,39,xinthink,Yingxin Wu,User,"Beijing, China",483
cerebral,cerebral/cerebral,JavaScript,A state controller with its own debugger,487,27,cerebral,Cerebral,Organization,,487
react-native-refreshable-listview,jsdf/react-native-refreshable-listview,JavaScript,A pull-to-refresh ListView which shows a loading spinner while your data reloads,486,59,jsdf,James Friend,User,"Melbourne, Australia",771
md-data-table,daniel-nagy/md-data-table,JavaScript,Material Design Data Table for Angular Material,483,118,daniel-nagy,Daniel Nagy,User,,483
pinball,pinterest/pinball,JavaScript,Pinball is a scalable workflow manager,484,50,pinterest,Pinterest,Organization,"San Francisco, California",3903
anything.js,Rabrennie/anything.js,JavaScript,A javascript library that contains anything.,482,162,Rabrennie,Rab Rennie,User,"Scotland, UK",482
t7,trueadm/t7,JavaScript,Lightweight virtual DOM templating library,483,7,trueadm,Dominic Gannaway,User,United Kingdom,630
Iosevka,be5invis/Iosevka,JavaScript,Spatial efficient monospace font family for programming. Built from code.,480,19,be5invis,Belleve Invis,User,"Hefei, China",480
animatedModal.js,joaopereirawd/animatedModal.js,JavaScript,animatedModal.js is a jQuery plugin to create a fullscreen modal with CSS3 transitions. you can use the transitions by animate.css or create yourself their transitions.,480,91,joaopereirawd,João Pereira,User,Porto,480
ToProgress,djyde/ToProgress,JavaScript,A lightweight top progress bar,481,32,djyde,Randy,User,"Guangzhou, China",1640
github-hovercard,Justineo/github-hovercard,JavaScript,Neat user/repo/issue hovercard for GitHub.,478,15,Justineo,GU Yiling,User,"Shanghai, China",478
react-native-navbar,react-native-fellowship/react-native-navbar,JavaScript,Navbar component for React Native,476,98,react-native-fellowship,React Native Fellowship,Organization,,1145
DSS,guisouza/DSS,JavaScript,:fire: Dynamic Style Sheets,480,48,guisouza,Guilherme (Coder) de Souza,User,São Paulo,480
font-carrier,purplebamboo/font-carrier,JavaScript,font-carrier是一个功能强大的字体操作库,使用它你可以随心所欲的操作字体。让你可以在svg的维度改造字体的展现形状。,477,64,purplebamboo,,User,HANGZHOU,477
jscodeshift,facebook/jscodeshift,JavaScript,A JavaScript codemod toolkit.,468,31,facebook,Facebook,Organization,"Menlo Park, California",61260
enhance.js,ROUND/enhance.js,JavaScript,Zoom & dynamically crop images. Based on http://github.com/fat/zoom.js by @fat.,475,25,ROUND,Maxim Leyzerovich,User,"Washington, DC",475
react-date-range,Adphorus/react-date-range,JavaScript,A React component for choosing dates and date ranges.,473,30,Adphorus,,Organization,,473
sw-toolbox,GoogleChrome/sw-toolbox,JavaScript,A collection of tools for service workers.,470,32,GoogleChrome,,Organization,,3031
viewport,asvd/viewport,JavaScript,create custom scrolling indicator,471,22,asvd,asvd,User,St.Petersburg | Munich,1229
decaffeinate,eventualbuddha/decaffeinate,JavaScript,"CoffeeScript in, ES6 out",470,19,eventualbuddha,Brian Donovan,User,San Francisco,470
babel-plugin-typecheck,codemix/babel-plugin-typecheck,JavaScript,Static and runtime type checking for JavaScript in the form of a Babel plugin.,467,13,codemix,codemix,Organization,"York, UK",745
circles-sines-signals,jackschaedler/circles-sines-signals,JavaScript,A Compact Primer on Digital Signal Processing,470,40,jackschaedler,Jack Schaedler,User,Berlin,470
redux-undo,omnidan/redux-undo,JavaScript,:recycle: simple undo/redo functionality for redux state containers,469,9,omnidan,Daniel Bugl,User,"Vienna, Austria",469
pt,williamngan/pt,JavaScript,"An experimental library on point, form, and space.",470,26,williamngan,William Ngan,User,,1596
autoresponsive-react,xudafeng/autoresponsive-react,JavaScript,Auto Responsive Layout Library For React,468,28,xudafeng,xdf,User,China,468
snowflake,bartonhammond/snowflake,JavaScript,"A React-Native Android iOS Starter with single code base using Redux, Parse.com, Jest",446,48,bartonhammond,Barton Hammond,User,"Columbia, MO",446
react-native-vector-icons,oblador/react-native-vector-icons,JavaScript,"3000 Customizable Icons for React Native with support for NavBar/TabBar, image source and full stying.",454,46,oblador,Joel Arvidsson,User,"Malmö, Sweden",882
calendar,Baremetrics/calendar,JavaScript,Date range picker for Baremetrics,462,38,Baremetrics,Baremetrics,Organization,Everywhere,462
blockrain.js,Aerolab/blockrain.js,JavaScript,HTML5 Tetris Game for jQuery,460,142,Aerolab,Aerolab,Organization,"Buenos Aires, Argentina",909
shift-js,shift-js/shift-js,JavaScript,Swift to JavaScript transpiler,459,14,shift-js,ShiftJS,Organization,,459
bodymovin,bodymovin/bodymovin,JavaScript,after effects to html library,459,38,bodymovin,hernan,User,,459
embed.js,ritz078/embed.js,JavaScript,"A JavaScript plugin that analyses the string and automatically embeds emojis, media, maps, tweets, code and services.",453,25,ritz078,Ritesh Kumar,User,Mumbai,453
guitar-tuner,GoogleChrome/guitar-tuner,JavaScript,A web-based guitar tuner,458,38,GoogleChrome,,Organization,,3031
fecha,taylorhakes/fecha,JavaScript,Date formatting and parsing,457,22,taylorhakes,Taylor Hakes,User,New York,457
react-lite,Lucifier129/react-lite,JavaScript,an implementation of React that optimizes for small script size,456,19,Lucifier129,工业聚,User,"shanghai, china",456
illustrator-svg-exporter,iconic/illustrator-svg-exporter,JavaScript,A better way to generate SVGs from Illustrator.,451,26,iconic,,Organization,"San Francisco, CA",451
react-form-generator,SteveVitali/react-form-generator,JavaScript,"Generate, validate, and parse React forms using Mongoose-inspired JSON schemas",452,13,SteveVitali,Steve Vitali,User,,452
react-tdd-guide,zpratt/react-tdd-guide,JavaScript,A series of examples on how to TDD React,452,13,zpratt,Zach Pratt,User,"Des Moines, IA",452
eon,pubnub/eon,JavaScript,,452,40,pubnub,PubNub,Organization,"San Francisco, CA",554
redux-search,treasure-data/redux-search,JavaScript,Redux bindings for client-side search,448,9,treasure-data,Treasure Data,Organization,"Mountain View, CA",448
objection.js,Vincit/objection.js,JavaScript,An SQL-friendly ORM for Node.js,448,12,Vincit,Vincit Oy,Organization,,448
Javascript,MartinChavez/Javascript,JavaScript,Javascript : Test-Driven Learning,444,40,MartinChavez,Martin Chavez Aguilar,User,"Seattle, WA",778
linux,maxogden/linux,JavaScript,run Linux on Yosemite easily from the CLI,446,15,maxogden,=^._.^=,User,,4885
automated-chrome-profiling,paulirish/automated-chrome-profiling,JavaScript,Node.js recipe for automating javascript profiling in Chrome,444,14,paulirish,Paul Irish,User,Palo Alto,2560
apparatus,cdglabs/apparatus,JavaScript,A hybrid graphics editor and programming environment for creating interactive diagrams.,441,18,cdglabs,CDG Labs,Organization,,695
LJSON,MaiaVictor/LJSON,JavaScript,JSON extended with pure functions.,443,12,MaiaVictor,,User,,693
react-autosuggest,moroshko/react-autosuggest,JavaScript,WAI-ARIA compliant React autosuggest component,441,74,moroshko,Misha Moroshko,User,"Melbourne, Australia",441
off-the-rip,jakiestfu/off-the-rip,JavaScript,"Downloads audio, artwork, and metadata from Soundcloud",442,33,jakiestfu,Jacob Kelley,User,Los Angeles,442
DVNA,quantumfoam/DVNA,JavaScript,Damn Vulnerable Node Application,429,37,quantumfoam,Claudio Lacayo,User,,429
feather-app,HenrikJoreteg/feather-app,JavaScript,as light as a...,428,21,HenrikJoreteg,Henrik Joreteg,User,"West Richland, WA",1476
eyeglass,sass-eyeglass/eyeglass,JavaScript,NPM Modules for Sass,435,26,sass-eyeglass,The Sass Eyeglass Team,Organization,"Mountain View, CA",435
CodeceptJS,Codeception/CodeceptJS,JavaScript,Modern Era Aceptance Testing Framework for NodeJS,434,24,Codeception,Codeception Testing Framework,Organization,,434
angular-cli,angular/angular-cli,JavaScript,,433,45,angular,Angular,Organization,,2141
ghfollowers,simplyianm/ghfollowers,JavaScript,:octocat: Get GitHub followers.,435,2,simplyianm,Ian Macalinao,User,"San Francisco, CA",565
tower-of-babel,yosuke-furukawa/tower-of-babel,JavaScript,Tower of babel is tour of babel,429,41,yosuke-furukawa,Yosuke Furukawa,User,Tokyo,429
fullstack-react,Widen/fullstack-react,JavaScript,"A simple, full-stack JavaScript single page app featuring React, Webpack, and Falcor",435,51,Widen,"Widen Enterprises, Inc.",Organization,"Madison, WI, USA",435
trevor,vdemedes/trevor,JavaScript,Your own Travis CI to run tests locally,433,17,vdemedes,Vadim Demedes,User,,593
background-blur,msurguy/background-blur,JavaScript,Ultra light cross browser image blurring plugin for jQuery,430,46,msurguy,Maksim Surguy,User,"Seattle, WA",430
mdcss,jonathantneal/mdcss,JavaScript,Easily create and maintain style guides using CSS comments,430,10,jonathantneal,Jonathan Neal,User,"Orange, CA",1594
graffiti,RisingStack/graffiti,JavaScript,Node.js GraphQL ORM,425,13,RisingStack,RisingStack,Organization,,1509
echarts-x,ecomfe/echarts-x,JavaScript,Extension pack of ECharts providing globe visualization,422,156,ecomfe,Baidu EFE team,Organization,Beijing & Shanghai & Shenzhen,1936
firefox-tweaks,dfkt/firefox-tweaks,JavaScript,Attempt to make Firefox suck less.,424,29,dfkt,­dfkt,User,,424
ng2-play,pkozlowski-opensource/ng2-play,JavaScript,A minimal Angular2 playground using TypeScript and SystemJS loader,419,140,pkozlowski-opensource,Pawel Kozlowski,User,The internet,419
speckjs,speckjs/speckjs,JavaScript,Comment Driven Development,423,18,speckjs,SpeckJS,Organization,,423
ballista,chromium/ballista,JavaScript,An interoperability system for the modern web.,423,9,chromium,The Chromium Project,Organization,Mountain View,571
ember-cli-mirage,samselikoff/ember-cli-mirage,JavaScript,"A client-side mock server to develop, test and prototype your app",422,115,samselikoff,Sam Selikoff,User,"Burlington, VT",422
application-shell,GoogleChrome/application-shell,JavaScript,Service Worker Application Shell Architecture,416,35,GoogleChrome,,Organization,,3031
Pavlov.js,NathanEpstein/Pavlov.js,JavaScript,Reinforcement learning using Markov Decision Processes,421,9,NathanEpstein,Nathan Epstein,User,"New York, NY",815
react-docs,reactjs-cn/react-docs,JavaScript,reactjs中文文档,420,108,reactjs-cn,Reactjs.cn,Organization,上海,420
ringpop-node,uber/ringpop-node,JavaScript,"Scalable, fault-tolerant application-layer sharding for Node.js applications",419,43,uber,Uber,Organization,,2875
kubist,williamngan/kubist,JavaScript,A little webapp to create cubism-like svg.,420,30,williamngan,William Ngan,User,,1596
queryl,issuetrackapp/queryl,JavaScript,Query language to perform complex object searches.,419,13,issuetrackapp,IssueTrack,Organization,,419
socket.io-p2p,socketio/socket.io-p2p,JavaScript,,412,27,socketio,Socket.IO,Organization,Automattic,1745
webvr-boilerplate,borismus/webvr-boilerplate,JavaScript,A starting point for web-based VR experiences that work in both Cardboard and Oculus.,409,100,borismus,Boris Smus,User,San Francisco / Vancouver,409
lodash-fp,lodash-archive/lodash-fp,JavaScript,lodash with more functional fun.,412,7,lodash-archive,Lodash Archive,Organization,,412
postcss-write-svg,jonathantneal/postcss-write-svg,JavaScript,Write SVGs directly in CSS,412,17,jonathantneal,Jonathan Neal,User,"Orange, CA",1594
voice-memos,GoogleChrome/voice-memos,JavaScript,,407,47,GoogleChrome,,Organization,,3031
ember-cli-fastboot,tildeio/ember-cli-fastboot,JavaScript,Server-side rendering for Ember.js apps,406,28,tildeio,Tilde,Organization,"San Francisco, CA",406
story-graph,incrediblesound/story-graph,JavaScript,The Graph that Generates Stories,406,17,incrediblesound,James H Edwards,User,Silicon Valley,406
xr,radiosilence/xr,JavaScript,Ultra-simple wrapper around XMLHttpRequest.,403,19,radiosilence,James Cleveland,User,"Brighton, UK",403
fil,fatiherikli/fil,JavaScript,A playground for in-browser interpreters. Built with React/Redux.,405,40,fatiherikli,Fatih Erikli,User,"Istanbul, Turkey",405
react-babel-webpack-boilerplate,ruanyf/react-babel-webpack-boilerplate,JavaScript,a boilerplate for React-Babel-Webpack project,404,45,ruanyf,Ruan YiFeng,User,"Shanghai, China",4394
graphql-server,RisingStack/graphql-server,JavaScript,Example GraphQL server with Mongoose (MongoDB) and Node.js,403,23,RisingStack,RisingStack,Organization,,1509
starhackit,FredericHeem/starhackit,JavaScript,"StarHackIt: React + Node full-stack starter kit with authentication and authorization, data backed by SQL.",403,44,FredericHeem,FredericH,User,London,403
node-fetch,bitinn/node-fetch,JavaScript,A light-weight module that brings window.fetch to node.js and io.js,401,41,bitinn,David Frank,User,,401
react-ui,Lobos/react-ui,JavaScript,A collection of components for React.,402,72,Lobos,陆放,User,"Hangzhou, Zhejiang, China",402
react-native-android-lession,yipengmu/react-native-android-lession,JavaScript,mark react-native-android steps,398,67,yipengmu,laomu,User,Hangzhou China,513
Bind,almonk/Bind,JavaScript,A design tool for interfaces,401,16,almonk,Alasdair Monk,User,,401
vuex,vuejs/vuex,JavaScript,Flux-inspired Application Architecture for Vue.js.,387,28,vuejs,vuejs,Organization,,1104
hls.js,dailymotion/hls.js,JavaScript,MSE-based HLS implementation,400,69,dailymotion,Dailymotion,Organization,"Paris, France",400
rejected.us,jkup/rejected.us,JavaScript,The codebase for rejected.us,399,37,jkup,Jon Kuperman,User,"San Francisco, CA",552
hasha,sindresorhus/hasha,JavaScript,Hashing made simple. Get the hash of a buffer/string/stream/file.,399,13,sindresorhus,Sindre Sorhus,User,✈,11371
flint,flintjs/flint,JavaScript,Flint is :boom:,399,17,flintjs,Flint,Organization,,399
miniMAL,kanaka/miniMAL,JavaScript,"A Lisp implemented in < 1 KB of JavaScript with JSON source, macros, TCO, interop and exception handling.",400,13,kanaka,Joel Martin,User,,400
morphdom,patrick-steele-idem/morphdom,JavaScript,Fast and lightweight DOM diffing/patching (without the virtual part),397,16,patrick-steele-idem,Patrick Steele-Idem,User,,397
screenlog.js,chinchang/screenlog.js,JavaScript,Bring console.log on the screen,393,15,chinchang,Kushagra Gour,User,"Delhi, India",1981
gl-react,ProjectSeptemberInc/gl-react,JavaScript,"OpenGL / WebGL bindings for React to implement complex effects over images and content, in the descriptive VDOM paradigm",392,14,ProjectSeptemberInc,Project September,Organization,,881
react-pivot,davidguttman/react-pivot,JavaScript,"React-Pivot is a data-grid component with pivot-table-like functionality for data display, filtering, and exploration.",392,35,davidguttman,David Guttman,User,Los Angeles,516
star,hustcer/star,JavaScript,A STock Analysis and Research tool for terminal users. 技术控和命令行爱好者的 A 股辅助分析工具。,392,76,hustcer,Justin,User,"HangZhou, China",392
rnpm,rnpm/rnpm,JavaScript,:iphone: React Native Package Manager,389,8,rnpm,rnpm,Organization,everywhere,389
restful.js,marmelab/restful.js,JavaScript,A pure JS client for interacting with server-side RESTful resources. Think Restangular without Angular.,390,44,marmelab,marmelab,Organization,,1062
pm,anvaka/pm,JavaScript,package managers visualization,390,24,anvaka,Andrei Kashcha,User,Seattle ,567
react-absolute-grid,jrowny/react-absolute-grid,JavaScript,"An absolutely positioned, animated, filterable, sortable, drag and droppable, ES6 grid for React.",385,23,jrowny,Jonathan,User,"Germantown, MD",385
es-observable,zenparsing/es-observable,JavaScript,Observables for ECMAScript,383,14,zenparsing,,User,,383
react-flux-jwt-authentication-sample,auth0/react-flux-jwt-authentication-sample,JavaScript,Sample for implementing Authentication with a React Flux app and JWTs,385,71,auth0,Auth0,Organization,Seattle,1074
posthtml,posthtml/posthtml,JavaScript,PostHTML is a tool to transform HTML/XML with JS plugins. By http://theprotein.io team,381,17,posthtml,PostHTML,Organization,"Moscow, Russia",381
freezer,arqex/freezer,JavaScript,"An immutable tree data structure that is always updated from the root, making easier to think in a reactive way.",379,12,arqex,,User,,379
rune.js,runemadsen/rune.js,JavaScript,A JavaScript library for programming graphic design systems with SVG,383,9,runemadsen,Rune Skjoldborg Madsen,User,New York,383
cljs-devtools,binaryage/cljs-devtools,JavaScript,Chrome DevTools extensions for ClojureScript developers,383,6,binaryage,BinaryAge,Organization,,383
redux-promise,acdlite/redux-promise,JavaScript,FSA-compliant promise middleware for Redux.,380,21,acdlite,Andrew Clark,User,"Redwood City, CA",4345
Adafruit-Pi-Finder,adafruit/Adafruit-Pi-Finder,JavaScript,Find and set up your brand new Raspberry Pi,380,31,adafruit,Adafruit Industries,Organization,New york city,380
lory,meandmax/lory,JavaScript,☀ Touch enabled minimalistic slider written in vanilla JavaScript.,381,61,meandmax,Maximilian Heinz,User,Hamburg,381
css-in-js,MicheleBertoli/css-in-js,JavaScript,React: CSS in JS techniques comparison.,382,13,MicheleBertoli,Michele Bertoli,User,"London, UK",382
Electrometeor,sircharleswatson/Electrometeor,JavaScript,Build desktop apps with Electron + Meteor.,379,26,sircharleswatson,Charles Watson,User,"Minneapolis, Mn",379
react-native-side-menu,react-native-fellowship/react-native-side-menu,JavaScript,Side menu component for React Native,378,76,react-native-fellowship,React Native Fellowship,Organization,,1145
Ogar,OgarProject/Ogar,JavaScript,"An open source Agar.io server implementation, written with Node.js.",377,526,OgarProject,Ogar Project,Organization,,377
hotel,typicode/hotel,JavaScript,Classy process manager with local .dev domain support for web devs ❤,375,23,typicode,,User,✈,736
fresco-docs-cn,liaohuqiu/fresco-docs-cn,JavaScript,Chinese documentation for fresco. The github pages site is: http://fresco-cn.org/,375,111,liaohuqiu,Huqiu Liao,User,"San Francisco, United states",2307
aqua,jedireza/aqua,JavaScript,A website and user system (Hapi/React/Flux),374,68,jedireza,Reza Akhavan,User,San Francisco,374
RiotControl,jimsparkman/RiotControl,JavaScript,"Event Controller / Dispatcher For RiotJS, Inspired By Flux",372,31,jimsparkman,Jim Sparkman,User,"Allentown, PA",372
RPi-KittyCam,girliemac/RPi-KittyCam,JavaScript,"Raspberry Pi app using a camera and PIR motion sensor, written in Node.js with Johnny-Five and Kittydar for cat facial detection",372,23,girliemac,Tomomi ❤ Imura,User,San Francisco,372
ReactNativeRubyChina,henter/ReactNativeRubyChina,JavaScript,ReactNative iOS APP for RubyChina,372,48,henter,Henter,User,Shanghai,372
autolayout.js,IjzerenHein/autolayout.js,JavaScript,Apple's Auto Layout and Visual Format Language for javascript (using cassowary constraints),371,11,IjzerenHein,Hein Rutjes,User,"Eindhoven, The Netherlands",371
NoSleep.js,richtr/NoSleep.js,JavaScript,Prevent display sleep and enable wake lock in any Android or iOS web browser.,371,13,richtr,Rich Tibbett,User,"Gothenburg, Sweden",371
react-packages,meteor/react-packages,JavaScript,Meteor packages for a great React developer experience,368,87,meteor,Meteor Development Group,Organization,,942
animate,bendc/animate,JavaScript,Simple animation library,369,14,bendc,Benjamin De Cock,User,Belgium,7853
redux-logger,fcomb/redux-logger,JavaScript,Logger middleware for redux,370,45,fcomb,,Organization,,370
chakram,dareid/chakram,JavaScript,REST API test framework. BDD and exploits promises,367,15,dareid,Daniel Reid,User,"Southampton, UK",367
frontend-md,animade/frontend-md,JavaScript,,368,13,animade,Animade,Organization,"London, UK",368
Maple.js,Wildhoney/Maple.js,JavaScript,"Maple.js is a React webcomponents based framework mixing ES6 with Custom Elements, HTML Imports and Shadow DOM. It has in-built support for SASS and JSX, including a Gulp task for vulcanizing your project.",365,14,Wildhoney,Adam Timberlake,User,"London, UK",779
ShenJS,jsconfcn/ShenJS,JavaScript,The repository for the upcoming ShenJS,364,52,jsconfcn,,Organization,China,364
mysam,daffl/mysam,JavaScript,An open 'intelligent' assistant for the web that can listen to you and learn.,364,32,daffl,David Luecke,User,"Vancouver, BC",364
meteor-astronomy,jagi/meteor-astronomy,JavaScript,Model layer for Meteor,364,17,jagi,jagi,User,"Warsaw, Poland",364
npm-windows-upgrade,felixrieseberg/npm-windows-upgrade,JavaScript,:rocket: Upgrade npm on Windows,363,22,felixrieseberg,Felix Rieseberg,User,San Francisco,735
locally,ozantunca/locally,JavaScript,Locally is a localStorage manager that supports expirable items with timeout values and saves space by compressing them using LZW algorithm.,363,8,ozantunca,Ozan Tunca,User,"Ankara, Turkey",363
levi,cshum/levi,JavaScript,Stream based full-text search for Node.js and browsers. Built on LevelDB.,361,8,cshum,Adrian C Shum,User,Hong Kong,361
DevLab,TechnologyAdvice/DevLab,JavaScript,:whale: Containerize your development workflow.,361,11,TechnologyAdvice,TechnologyAdvice,Organization,"Brentwood, TN",475
redux-rx,acdlite/redux-rx,JavaScript,RxJS utilities for Redux.,360,19,acdlite,Andrew Clark,User,"Redwood City, CA",4345
AutoAnimations,OutSystems/AutoAnimations,JavaScript,Automatically animate all inserted and removed DOM elements,360,6,OutSystems,OutSystems,Organization,,360
react-inline,martinandert/react-inline,JavaScript,"Transform inline styles defined in JavaScript modules into static CSS code and class names so they become available to, e.g. the `className` prop of React elements.",360,11,martinandert,Martin Andert,User,Germany,360
redux-devtools-extension,zalmoxisus/redux-devtools-extension,JavaScript,,359,5,zalmoxisus,Mihail Diordiev,User,,359
bare-auth,lapwinglabs/bare-auth,JavaScript,Bare Auth is a ready-to-deploy stateless authentication server.,357,9,lapwinglabs,Lapwing Labs,Organization,San Francisco,2109
framework,Famous/framework,JavaScript,Build expressive user interfaces with consistent code and reusable components,357,57,Famous,Famo.us,Organization,,1873
Cumulus,gillesdemey/Cumulus,JavaScript,☁️ A SoundCloud player that lives in your menubar.,356,24,gillesdemey,Gilles De Mey,User,"Gent, Belgium",356
field-kit,square/field-kit,JavaScript,FieldKit lets you take control of your text fields.,354,21,square,Square,Organization,,13457
d3-legend,susielu/d3-legend,JavaScript,A reusable d3 legend component. ,354,17,susielu,Susie,User,Sunnyvale,354
sass-lint,sasstools/sass-lint,JavaScript,Pure Node.js Sass linting,352,46,sasstools,Sass Tools,Organization,,352
FinanceReactNative,7kfpun/FinanceReactNative,JavaScript,iOS's Stocks App clone written in React Native for demo purpose (available both iOS and Android).,351,81,7kfpun,kf,User,,351
web-bundle,haxorplatform/web-bundle,JavaScript,Tool to pack binary files into a PNG image.,351,15,haxorplatform,Haxor Platform,Organization,Brazil,351
webpack-express-boilerplate,christianalfoni/webpack-express-boilerplate,JavaScript,A boilerplate for running a Webpack workflow in Node express,350,61,christianalfoni,Christian Alfoni,User,Norway,1563
router5,router5/router5,JavaScript,Flexible and powerful routing solution,350,6,router5,,Organization,Glasgow,350
binaryen,WebAssembly/binaryen,JavaScript,"Compiler infrastructure and toolchain library for WebAssembly, in C++",350,19,WebAssembly,WebAssembly,Organization,The Web!,5858
dragscroll,asvd/dragscroll,JavaScript,micro library for drag-n-drop scrolling style,349,22,asvd,asvd,User,St.Petersburg | Munich,1229
marklib,BowlingX/marklib,JavaScript,A small library to wrap serializable TextSelections.,349,15,BowlingX,David Heidrich,User,Berlin,349
NotifyMe,shivkumarganesh/NotifyMe,JavaScript,NotifyMe enables you to create web notifications pretty easily - 'Just Call me and Launch!!',348,17,shivkumarganesh,Shiv Kumar Ganesh,User,Chennai,348
priority-navigation,gijsroge/priority-navigation,JavaScript,"Javascript implementation for Priority+ Navigation — lightweight, no dependencies",345,20,gijsroge,Gijs Rogé,User,Belgium,345
hihat,Jam3/hihat,JavaScript,:tophat: local Node/Browser development with Chrome DevTools,344,6,Jam3,Jam3,Organization,Toronto Ontario,2542
Talkie,ahomu/Talkie,JavaScript,Simple slide presentation library. Responsive scaling & markdown ready.,343,17,ahomu,Ayumu Sato,User,"Tokyo, Japan",343
stickshift,tmcw/stickshift,JavaScript,A clean & modern SQL data interface.,342,24,tmcw,Tom MacWright is on vacation till January 1st,User,"Washington, DC",672
tips,git-tips/tips,JavaScript,Most commonly used git tips and tricks.,341,43,git-tips,,Organization,,341
simulacra,0x8890/simulacra,JavaScript,One-way data binding for web applications.,340,12,0x8890,████,User,,340
publish-please,inikulin/publish-please,JavaScript,Publish npm modules safely and gracefully.,340,9,inikulin,Ivan Nikulin,User,,441
redux-saga,yelouafi/redux-saga,JavaScript,An alternative side effect model for Redux apps,340,10,yelouafi,Yassine Elouafi,User,Morocco,340
Polyvia,Ovilia/Polyvia,JavaScript,Low-Poly Image and Video Processing,339,32,Ovilia,Wenli Zhang,User,"Shanghai, China",339
graphql-relay-js,graphql/graphql-relay-js,JavaScript,A library to help construct a graphql-js server supporting react-relay.,335,42,graphql,Facebook GraphQL,Organization,"Menlo Park, CA",4721
ShaderEditorExtension,spite/ShaderEditorExtension,JavaScript,Google Chrome DevTools extension to live edit WebGL GLSL shaders,335,17,spite,Jaume Sanchez,User,Barcelona,835
workshop-js-funcional-free,Webschool-io/workshop-js-funcional-free,JavaScript,Workshop sobre JS Funcional DI GRATIS!!!!,334,80,Webschool-io,WebSchool.io,Organization,,1233
Vue-cnodejs,shinygang/Vue-cnodejs,JavaScript,基于vue.js重写Cnodejs.org社区的webapp,334,93,shinygang,TG,User,,334
postcss-font-magician,jonathantneal/postcss-font-magician,JavaScript,Magically generate all the @font-face rules,334,9,jonathantneal,Jonathan Neal,User,"Orange, CA",1594
enclose,igorklopov/enclose,JavaScript,Compile your Node.js project into an executable,330,15,igorklopov,Igor Klopov,User,,330
reactconf-2015-HYPE,ryanflorence/reactconf-2015-HYPE,JavaScript,,329,55,ryanflorence,Ryan Florence,User,"Salt Lake City, UT",329
emoji-translate,notwaldorf/emoji-translate,JavaScript,:books: Translate text to ✨emoji ✨!,327,23,notwaldorf,Monica Dinculescu,User,Sun Funcisco ☀️,327
OpenPTT,OpenPTT/OpenPTT,JavaScript,A mobile app for telnet://ptt.cc,327,51,OpenPTT,,Organization,,327
WWDC_2015_Video_Subtitle,qiaoxueshi/WWDC_2015_Video_Subtitle,JavaScript,WWDC 2015 Video 英文字幕 (共104个),327,84,qiaoxueshi,Joey,User,"Beijing, China",327
angular-material-dashboard,flatlogic/angular-material-dashboard,JavaScript,Angular admin dashboard with material design,326,93,flatlogic,flatlogic,Organization,"Minsk, Belarus",326
IdiomaticReact,netgusto/IdiomaticReact,JavaScript,Idiomatic React - Flux - REST app,326,13,netgusto,Net Gusto,User,"Strasbourg, France",326
primefaces,primefaces/primefaces,JavaScript,Ultimate Component Suite for JavaServer Faces,324,143,primefaces,PrimeFaces,Organization,,324
electron-sample-apps,hokein/electron-sample-apps,JavaScript,Sample apps for Electron,324,45,hokein,Haojian Wu,User,"Munich, Germany",324
visulator,thlorenz/visulator,JavaScript,A machine emulator that visualizes how each instruction is processed,324,23,thlorenz,Thorsten Lorenz,User,nomad,324
exportify,watsonbox/exportify,JavaScript,Export Spotify playlists using the Web API,322,31,watsonbox,Howard Wilson,User,Paris,449
SpaceTalk,SpaceTalk/SpaceTalk,JavaScript,An open-source chat app built with Meteor ,322,149,SpaceTalk,SpaceTalk,Organization,,322
angular-oauth2,seegno/angular-oauth2,JavaScript,AngularJS OAuth2,321,81,seegno,Seegno,Organization,"Braga, Portugal",321
redis-monitor,hustcc/redis-monitor,JavaScript,"A web visualization redis monitoring program. Performance optimized and very easy to install and deploy, base on Flask and sqlite.",321,49,hustcc,atool,User,China Hanzhou,588
RadialChartImageGenerator,hmaidasani/RadialChartImageGenerator,JavaScript,Radial Bar Chart Generator for Apple Watch -,319,41,hmaidasani,Hitesh Maidasani,User,,319
unistyle,joakimbeng/unistyle,JavaScript,Write modular and scalable CSS using the next version of ECMAScript,319,9,joakimbeng,Joakim Carlstein,User,Stockholm,319
Up1,Upload/Up1,JavaScript,Client-side encrypted image host web server,318,25,Upload,Upload,Organization,,318
react-native-login,brentvatne/react-native-login,JavaScript,"react-native login via native facebook sdk, with a mp4 video background and a linear gradient",317,30,brentvatne,Brent Vatne,User,"Vancouver, Canada",2353
calque,grimalschi/calque,JavaScript,Improved calculator,316,64,grimalschi,Veaceslav Grimalschi,User,,316
elixirscript,bryanjos/elixirscript,JavaScript,Converts Elixir to JavaScript,316,18,bryanjos,Bryan Joseph,User,"New Orleans, LA",316
library-boilerplate,gaearon/library-boilerplate,JavaScript,"An opinionated boilerplate for React libraries including ESLint, Mocha, Babel, Webpack and an example powered by Webpack Dev Server and React Hot Loader",315,22,gaearon,Dan Abramov,User,"London, UK",7814
LambdAuth,danilop/LambdAuth,JavaScript,"A sample authentication service implemented with a server-less architecture, using AWS Lambda to host and execute the code and Amazon DynamoDB as persistent storage. This provides a cost-efficient solution that is scalable and highly available and can be used with Amazon Cognito for Developer Authenticated Identities.",314,64,danilop,Danilo Poccia,User,Luxembourg,314
react-docgen,reactjs/react-docgen,JavaScript,A CLI and toolbox to extract information from React component files for documentation generation purposes.,314,20,reactjs,React,Organization,"Menlo Park, California",314
react-seed,badsyntax/react-seed,JavaScript,Seed project for React apps using ES6 & webpack.,313,59,badsyntax,Richard Willis,User,London,313
newedenfaces-react,sahat/newedenfaces-react,JavaScript,Character voting app for EVE Online,313,93,sahat,Sahat Yalkabov,User,New York,313
fann.js,louisstow/fann.js,JavaScript,FANN compiled through Emscripten,312,14,louisstow,Louis Stowasser,User,"Brisbane, Australia -> Mountain View, CA",312
precss,jonathantneal/precss,JavaScript,Use Sass-like markup in your CSS,311,18,jonathantneal,Jonathan Neal,User,"Orange, CA",1594
electron-builder,loopline-systems/electron-builder,JavaScript,Build installers for Electron apps the easy way,311,36,loopline-systems,Loopline Systems,Organization,"Berlin, Germany",311
fbjs,facebook/fbjs,JavaScript,A collection of utility libraries used by other Facebook JS projects.,310,48,facebook,Facebook,Organization,"Menlo Park, California",61260
Minos,phith0n/Minos,JavaScript,一个基于Tornado/mongodb/redis的社区系统。,310,56,phith0n,phithon,User,西安电子科技大学,525
twgl.js,greggman/twgl.js,JavaScript,A Tiny WebGL helper Library,310,30,greggman,Greggman,User,,310
board,RestyaPlatform/board,JavaScript,Trello like kanban board. Based on Restya platform.,309,46,RestyaPlatform,Restya,Organization,,309
Cquence,RamonGebben/Cquence,JavaScript,A very small javascript animation library,309,17,RamonGebben,Ramon Gebben,User,Utrecht,309
react-styleguide-generator,pocotan001/react-styleguide-generator,JavaScript,Easily generate a good-looking styleguide by adding some documentation to your React project.,308,20,pocotan001,Hayato Mizuno,User,"Tokyo, Japan",308
simplelightbox,andreknieriem/simplelightbox,JavaScript,Touch-friendly image lightbox for mobile and desktop with jQuery,308,36,andreknieriem,Andre Rinas,User,,308
juno106,stevengoldberg/juno106,JavaScript,Emulation of the Roland Juno-106 analog synth,307,22,stevengoldberg,Steve Goldberg,User,San Francisco,307
grafana-zabbix,alexanderzobnin/grafana-zabbix,JavaScript,Zabbix datasource for Grafana dashboard,307,80,alexanderzobnin,Alexander Zobnin,User,"Russian Federation, Moscow.",307
JSPatchConvertor,bang590/JSPatchConvertor,JavaScript,JSPatch Convertor is a tool that converts Objective-C code to JSPatch script automatically.,307,46,bang590,bang,User,"Guangdong, China",3607
gsimaps,gsi-cyberjapan/gsimaps,JavaScript,The source of GSI Maps (http://maps.gsi.go.jp/),304,106,gsi-cyberjapan,"Information Access Division, Geospatial Information Authority of Japan",Organization,"Tsukuba, Japan",304
mobservable,mweststrate/mobservable,JavaScript,Observable data. Reactive functions. Simple code.,303,18,mweststrate,Michel Weststrate,User,Netherlands,303
black-hole.js,cliffcrosland/black-hole.js,JavaScript,"Renders black hole gravitational lensing effects in an image canvas using WebGL, glfx.js, and numeric.js",302,7,cliffcrosland,Cliff Crosland,User,"Los Altos, CA",302
baidu-ocr,JeremyWei/baidu-ocr,JavaScript,百度OCR文字识别API For Node.js,301,30,JeremyWei,Jeremy,User,Nanjing China,301
node-telegram-bot-api,yagop/node-telegram-bot-api,JavaScript,Telegram Bot API for NodeJS,301,58,yagop,Yago,User,"Madrid, Spain",301
webcat,mafintosh/webcat,JavaScript,Mad science p2p pipe across the web using webrtc that uses your Github private/public key for authentication and a signalhub for discovery,301,10,mafintosh,Mathias Buus,User,"Copenhagen, Denmark",3455
meteor-gazelle,meteor-gazelle/meteor-gazelle,JavaScript,A framework built using Meteor.,301,46,meteor-gazelle,,Organization,,301
autotune,voxmedia/autotune,JavaScript,Platform for reusable news tools,300,25,voxmedia,Vox Media,Organization,"Washington, DC",300
sprintly-kanban,sprintly/sprintly-kanban,JavaScript,A Kanban Board for Sprintly,300,34,sprintly,sprint.ly,Organization,Earth,300
Winterfell,andrewhathaway/Winterfell,JavaScript,"Generate complex, validated and extendable JSON-based forms in React.",298,27,andrewhathaway,Andrew Hathaway,User,"Leeds, United Kingdom",298
understanding-npm,nodesource/understanding-npm,JavaScript,A regularly updating survey of the npm community,298,22,nodesource,NodeSource,Organization,Worldwide,298
meatier,mattkrick/meatier,JavaScript,"like meteor, but meatier",297,15,mattkrick,Matt Krick,User,"Queretaro, Mexico",297
slackbox,benchmarkstudios/slackbox,JavaScript,Spotify playlist collaboration through Slack.,296,47,benchmarkstudios,Benchmark Studios,Organization,London,296
substituteteacher.js,danrschlosser/substituteteacher.js,JavaScript,Rotate through a series of sentences,295,17,danrschlosser,Dan Schlosser,User,"New York, Boston",295
clif,rauchg/clif,JavaScript,"Dead easy terminal GIFs, from the terminal.",294,4,rauchg,Guillermo Rauch,User,SF,3866
localResizeIMG,think2011/localResizeIMG,JavaScript,前端本地客户端压缩图片,兼容IOS,Android,PC、自动按需加载文件 ,294,135,think2011,曾浩,User,"Guangzhou, China",294
snabbdom,paldepind/snabbdom,JavaScript,"A virtual DOM library with focus on simplicity, modularity, powerful features and performance.",294,17,paldepind,Simon Friis Vindum,User,"Aarhus, Denmark",1263
peerio-client,PeerioTechnologies/peerio-client,JavaScript,"Messages and files, simple and secure.",293,45,PeerioTechnologies,Peerio,Organization,"Montréal, Canada",293
xtypejs,lucono/xtypejs,JavaScript,"Elegant, highly efficient data validation for JavaScript Apps.",293,6,lucono,,User,New York,293
vmd,yoshuawuyts/vmd,JavaScript,:pray: preview markdown files,293,25,yoshuawuyts,Yoshua Wuyts,User,Water hemisphere,293
react-treebeard,alexcurtis/react-treebeard,JavaScript,"React Tree View Component. Data-Driven, Fast, Efficient and Customisable.",293,13,alexcurtis,Alex Curtis,User,"Lincoln, UK",293
meteor-webpack-react,jedwards1211/meteor-webpack-react,JavaScript,Meteor/React skeleton with full ES6/import support on client and server thanks to Webpack,292,59,jedwards1211,Andy Edwards,User,"Austin, TX",292
semistandard,Flet/semistandard,JavaScript,:icecream: All the goodness of `feross/standard` with semicolons sprinkled on top.,292,19,Flet,Dan Flettre,User,"Minneapolis, MN",292
substance,substance/substance,JavaScript,A JavaScript library for web-based content editing.,292,15,substance,Substance,Organization,Linz,292
electron-quick-start,atom/electron-quick-start,JavaScript,Clone to try a simple Electron app,292,127,atom,Atom,Organization,The Future,292
meteor-webix,dandv/meteor-webix,JavaScript,Meteor.js - Webix UI integration,291,30,dandv,Dan Dascalescu,User,Silicon Valley,291
slack-invite-automation,outsideris/slack-invite-automation,JavaScript,A tiny web application to invite a user info your slack team.,291,120,outsideris,JeongHoon Byun (aka Outsider),User,"Seoul, South Korea",291
mostly-adequate-guide-chinese,llh911001/mostly-adequate-guide-chinese,JavaScript,JS函数式编程指南中文版,291,35,llh911001,Linghao Li,User,Shanghai,291
zenfonts,zengabor/zenfonts,JavaScript,A tiny JavaScript module to observe and control the loading of web fonts,291,7,zengabor,Gabor Lenard,User,"Zürich, Switzerland",291
react-transform-hmr,gaearon/react-transform-hmr,JavaScript,A React Transform that enables hot reloading React classes using Hot Module Replacement API,290,14,gaearon,Dan Abramov,User,"London, UK",7814
react-pure-render,gaearon/react-pure-render,JavaScript,"A function, a component and a mixin for React pure rendering",290,14,gaearon,Dan Abramov,User,"London, UK",7814
react-native-drawer,root-two/react-native-drawer,JavaScript,React Native Drawer,289,34,root-two,Root Two,Organization,,289
autobind-decorator,andreypopp/autobind-decorator,JavaScript,Decorator to automatically bind methods to class instances,289,17,andreypopp,Andrey Popp,User,"St. Petersburg, Russia",401
NodeList.js,eorroe/NodeList.js,JavaScript,NodeList implementation/library - Use the Native DOM APIs as easily as jQuery,288,18,eorroe,Edwin Reynoso,User,,288
calendar-base,WesleydeSouza/calendar-base,JavaScript,Base methods for generating calendars using JavaScript.,288,14,WesleydeSouza,Wesley de Souza,User,Amsterdam,288
meteor-pg,numtel/meteor-pg,JavaScript,Reactive PostgreSQL for Meteor,287,9,numtel,Ben Green,User,California,287
immu,scottcorgan/immu,JavaScript,"A TINY, fail-fast, lazy, immutable Javascript objects library.",287,9,scottcorgan,Scott Corgan,User,"Marina Del Rey, CA",287
awesome-ctf,apsdehal/awesome-ctf,JavaScript,"A curated list of CTF frameworks, libraries, resources and softwares",287,43,apsdehal,Amanpreet Singh,User,IIT Roorkee,287
reddit-shell,jasonbio/reddit-shell,JavaScript,web based linux shell emulator that allows you to browse reddit programmatically via command line,287,19,jasonbio,Jason Botello,User,"Palo Alto, CA",287
loadjs,muicss/loadjs,JavaScript,A tiny async loader for modern browsers (545 bytes),286,22,muicss,,Organization,"New York, NY",1981
react-notification-system,igorprado/react-notification-system,JavaScript,A complete and totally customizable component for notifications in React,286,28,igorprado,Igor Prado,User,"Brasília, DF, Brazil",286
functional-frontend-architecture,paldepind/functional-frontend-architecture,JavaScript,A functional frontend framework.,286,15,paldepind,Simon Friis Vindum,User,"Aarhus, Denmark",1263
component-playground,FormidableLabs/component-playground,JavaScript,A component for rendering React components with editable source and live preview,286,27,FormidableLabs,Formidable,Organization,"Seattle, WA",5716
ember-truth-helpers,jmurphyau/ember-truth-helpers,JavaScript,"Ember HTMLBars Helpers for {{if}} & {{unless}}: not, and, or, eq & is-array",285,15,jmurphyau,James Murphy,User,"Melbourne, Australia",285
netlify-cms,netlify/netlify-cms,JavaScript,A CMS for Static Site Generators,285,18,netlify,Netlify,Organization,San Francisco,285
react-three-renderer,toxicFork/react-three-renderer,JavaScript,Render into a three.js canvas using React.,283,13,toxicFork,Firtina Ozbalikci,User,UK,283
nwb,insin/nwb,JavaScript,CLI tool for React apps and components & plain JS apps and npm modules,283,7,insin,Jonny Buchanan,User,Belfast,674
lsbridge,krasimir/lsbridge,JavaScript,Using local storage as a communication channel,283,12,krasimir,Krasimir Tsonev,User,"Varna, Bulgaria",465
greenkeeper,greenkeeperio/greenkeeper,JavaScript,":palm_tree: Your software, up to date, all the time.",280,13,greenkeeperio,greenkeeper.io,Organization,,280
kuitos.github.io,kuitos/kuitos.github.io,JavaScript,Kuitos's Blog https://github.com/kuitos/kuitos.github.io/issues http://kuitos.github.io/,280,26,kuitos,Kuitos,User,Shanghai China,280
nodegarden,pakastin/nodegarden,JavaScript,HTML5 Node Garden,280,95,pakastin,Juha Lindstedt,User,Finland,2132
Adi.js,balajmarius/Adi.js,JavaScript,:no_entry_sign: Adblock Identifier,279,31,balajmarius,Marius Balaj,User,Romania,279
simplest-redux-example,jackielii/simplest-redux-example,JavaScript,Simplest redux + react example for beginners like me,279,48,jackielii,Yuxing Li,User,UK,279
meteor-postgres,meteor-stream/meteor-postgres,JavaScript,Postgres integration for Meteor,279,28,meteor-stream,Space Elephant,Organization,,279
apprtc,webrtc/apprtc,JavaScript,The video chat demo app based on WebRTC,277,159,webrtc,WebRTC,Organization,,498
react-heatpack,insin/react-heatpack,JavaScript,A 'heatpack' command for quick React development with webpack hot reloading,277,7,insin,Jonny Buchanan,User,Belfast,674
wipeout,phoboslab/wipeout,JavaScript,WipEout (PSX) Model Viewer in WebGL/Three.js,276,22,phoboslab,Dominic Szablewski,User,,1427
batavia,pybee/batavia,JavaScript,Tools to run Python bytecode in the browser.,276,17,pybee,BeeWare,Organization,,791
wallpaper,sindresorhus/wallpaper,JavaScript,Get or set the desktop wallpaper,276,13,sindresorhus,Sindre Sorhus,User,✈,11371
webm.js,Kagami/webm.js,JavaScript,JavaScript WebM encoder,276,16,Kagami,Kagami Hiiragi,User,"Saint-Petersburg, Russia",276
cohesive-colors,javierbyte/cohesive-colors,JavaScript,Tool for creating cohesive color schemes.,274,31,javierbyte,Javier Bórquez,User,"Guadalajara, MX",2047
fis3-demo,fex-team/fis3-demo,JavaScript,fis3 demo,274,130,fex-team,Baidu FEX team,Organization,beijing,1038
ReactCasts,StephenGrider/ReactCasts,JavaScript,,274,99,StephenGrider,Stephen Grider,User,,274
universal-js-boilerplate,carlosazaustre/universal-js-boilerplate,JavaScript,A boilerplate to start universal (isomorphic) web applications,274,27,carlosazaustre,Carlos Azaustre,User,"Madrid, Spain",274
classeur,classeur/classeur,JavaScript,Classeur frontend,273,16,classeur,Classeur,Organization,,273
devops-kungfu,chef/devops-kungfu,JavaScript,Chef Style DevOps Kung fu,273,323,chef,"Chef Software, Inc.",Organization,"Seattle, WA",475
react-hotkeys,Chrisui/react-hotkeys,JavaScript,Declarative hotkey and focus area management for React,273,12,Chrisui,Chris Pearce,User,"London, UK",273
devtools-remote,auchenberg/devtools-remote,JavaScript,Debug your user's browser remotely via Chrome DevTools.,272,7,auchenberg,Kenneth Auchenberg,User,"Vancouver, Canada",4988
ember-component-css,ebryn/ember-component-css,JavaScript,An Ember CLI addon which allows you to specify CSS inside of component pod directories,272,36,ebryn,Erik Bryn,User,,272
adrenaline,gyzerok/adrenaline,JavaScript,React bindings for Redux with Relay in mind,272,15,gyzerok,Fedor Nezhivoi,User,Novosibirsk,272
redux-example,quangbuule/redux-example,JavaScript,Another universal example.,271,17,quangbuule,Quangbuu Le,User,Vietnam,271
hit-that,bevacqua/hit-that,JavaScript,:fist: Render beautiful pixel perfect representations of websites in your terminal,271,6,bevacqua,Nicolás Bevacqua,User,https://twitter.com/nzgb,20409
moebio_framework,moebiolabs/moebio_framework,JavaScript,The Moebio Framework,270,10,moebiolabs,,Organization,,270
react-waypoint,brigade/react-waypoint,JavaScript,A React component to execute a function whenever you scroll to an element.,270,31,brigade,Brigade,Organization,"San Francisco, CA",270
eslint-plugin-angular,Gillespie59/eslint-plugin-angular,JavaScript,ESLint plugin for AngularJS applications,269,43,Gillespie59,Emmanuel DEMEY,User,"Lille, France",269
jsxm,a1k0n/jsxm,JavaScript,FastTracker 2 .xm module player in Javascript,268,17,a1k0n,Andy Sloane,User,San Francisco Bay Area,268
datalib,vega/datalib,JavaScript,JavaScript data utility library.,267,25,vega,Vega,Organization,,425
react-side-effect,gaearon/react-side-effect,JavaScript,Create components whose nested prop changes map to a global side effect,267,14,gaearon,Dan Abramov,User,"London, UK",7814
gridifier,nix23/gridifier,JavaScript,Async Responsive Html Grids,266,10,nix23,Eduard Pleh,User,,266
telepat-api,telepat-io/telepat-api,JavaScript,This is the Telepat API where all api calls are made. CRUD operations are not processed here directly. Messages are sent to the Telepat workers where CRUD operations are being taken care of along with client communication (notifications).,265,13,telepat-io,Telepat.io,Organization,San Francisco,265
vue-server,ngsru/vue-server,JavaScript,Vue.js server-side version,265,18,ngsru,НГС,Organization,"Russia, Novosibirsk",265
touchpoint-js,jonahvsweb/touchpoint-js,JavaScript,A vanilla JavaScript library that visually shows taps/clicks for HTML prototypes using CSS3 transitions on desktop and mobile.,264,16,jonahvsweb,Jonah Bitautas,User,Chicago,264
Kaku,EragonJ/Kaku,JavaScript,The next generation music client,264,37,EragonJ,EragonJ (E.J.),User,"Taipei, Taiwan",264
CSS-Buddy,jodyheavener/CSS-Buddy,JavaScript,A Sketch 3 plugin that allows you to use CSS on layers.,263,10,jodyheavener,Jody Heavener,User,"Edmonton, AB",263
object-observe,MaxArt2501/object-observe,JavaScript,Object.observe polyfill,262,10,MaxArt2501,Massimo Artizzu,User,Italy,262
angular-data-table,Swimlane/angular-data-table,JavaScript,A feature-rich but lightweight ES6 AngularJS Data Table crafted for large data sets!,262,35,Swimlane,Swimlane,Organization,,416
subdivide,philholden/subdivide,JavaScript,User defined UI layout: Every pane can be subdivided and any widget assigned to any pane. ,262,13,philholden,Phil Holden,User,Edinburgh,262
cellauto,sanojian/cellauto,JavaScript,Cellular Automata in Javascript,262,10,sanojian,Jonas Olmstead,User,,262
soundcast,andresgottlieb/soundcast,JavaScript,Cast OSX audio to Chromecast from the menu bar,262,15,andresgottlieb,Andrés Gottlieb,User,"Santiago, Chile",262
datakit,NathanEpstein/datakit,JavaScript,A lightweight framework for data analysis in JavaScript.,261,7,NathanEpstein,Nathan Epstein,User,"New York, NY",815
soundredux-native,fraserxu/soundredux-native,JavaScript,In an effort to try react-native along with redux,261,27,fraserxu,Fraser Xu,User,"Melbourne, Australia",476
css.js,jotform/css.js,JavaScript,"A lightweight, battle tested, fast, CSS parser in JavaScript",261,24,jotform,JotForm,Organization,"San Francisco, CA",440
sherlock,phodal/sherlock,JavaScript,Skill Tree Sherlock,260,59,phodal,Fengda Huang,User,Xiamen China,2292
editor-framework,fireball-x/editor-framework,JavaScript,A framework gives you power to easily write professional multi-panel desktop software in HTML5 and node.js.,259,33,fireball-x,Fireball Game Engine,Organization,"Xiamen, China",259
xss-filters,yahoo/xss-filters,JavaScript,Secure XSS Filters,259,43,yahoo,Yahoo Inc.,Organization,"Sunnyvale, California",10798
learnyoureact,kohei-takata/learnyoureact,JavaScript,Let's learn React.js and server side rendering!,258,51,kohei-takata,Kohei TAKATA,User,Japan,258
postcss-style-guide,morishitter/postcss-style-guide,JavaScript,PostCSS plugin to generate a style guide automatically,258,10,morishitter,Masaaki Morishita,User,"Tokyo, Japan",1093
3d-touch,freinbichler/3d-touch,JavaScript,An Apple 3D Touch Implementation in JavaScript,257,26,freinbichler,Marcel Freinbichler,User,"Salzburg, Austria",257
local-storage,bevacqua/local-storage,JavaScript,:left_luggage: A simplified localStorage API that just works,256,10,bevacqua,Nicolás Bevacqua,User,https://twitter.com/nzgb,20409
DIM,DestinyItemManager/DIM,JavaScript,Destiny Item Manager,255,134,DestinyItemManager,,Organization,The Tower,255
Primrose,capnmidnight/Primrose,JavaScript,A WebVR framework,254,17,capnmidnight,Sean T. McBeth,User,"Alexandria, VA",254
web-app,cesarandreu/web-app,JavaScript,Reasonable starting point for building a web app,254,20,cesarandreu,Cesar Andreu,User,Puerto Rico,254
simplestore,cdmedia/simplestore,JavaScript,"A clean, responsive storefront boilerplate with no database or backend",254,31,cdmedia,Chris Diana,User,United States,254
ohm,cdglabs/ohm,JavaScript,A library and language for parsing and pattern matching.,254,10,cdglabs,CDG Labs,Organization,,695
react-router-relay,relay-tools/react-router-relay,JavaScript,Relay integration for React Router,253,23,relay-tools,Relay Tools,Organization,,253
ionic-datepicker,rajeshwarpatlolla/ionic-datepicker,JavaScript,'ionic-datepicker' bower component for ionic framework applications,252,110,rajeshwarpatlolla,Rajeshwar,User,Hyderabad,396
react-pure-component-starter,ericelliott/react-pure-component-starter,JavaScript,A pure component dev starter kit for React.,252,17,ericelliott,Eric Elliott,User,"San Francisco, California",766
responsive_mockups,fabrik42/responsive_mockups,JavaScript,Takes screenshots of a webpage in different resolutions and automatically applies it to mockup templates.,252,21,fabrik42,Christian Bäuerlein,User,"Dieburg, Germany",252
grommet,grommet/grommet,JavaScript,The most advanced UX framework for enterprise applications.,251,82,grommet,Grommet,Organization,,251
angular-2-samples,thelgevold/angular-2-samples,JavaScript,Angular 2.0 sample components,251,66,thelgevold,Torgeir Helgevold,User,,251
popper,pemrouz/popper,JavaScript,Realtime Cross-Browser Automation,251,6,pemrouz,Pedram Emrouznejad,User,London,251
IodineGBA,taisel/IodineGBA,JavaScript,JavaScript GameBoy Advance emulator.,251,85,taisel,Grant Galitz,User,"Florida, USA",251
generator-electron,sindresorhus/generator-electron,JavaScript,Scaffold out an Electron app boilerplate,250,9,sindresorhus,Sindre Sorhus,User,✈,11371
tests,Legitcode/tests,JavaScript,"Chainable, easy to read, React testing library",249,9,Legitcode,Legitcode,Organization,California,249
generator-nm,sindresorhus/generator-nm,JavaScript,Scaffold out a node module,248,33,sindresorhus,Sindre Sorhus,User,✈,11371
envy,progrium/envy,JavaScript,Lightweight dev environments with a twist,248,15,progrium,Jeff Lindsay,User,"Austin, TX",398
meteor-rethinkdb,Slava/meteor-rethinkdb,JavaScript,RethinkDB integration for Meteor,248,14,Slava,Slava Kim,User,"Boston, MA / SF, CA",458
node-stap,uber/node-stap,JavaScript,Tools for analyzing Node.js programs with SystemTap,247,5,uber,Uber,Organization,,2875
react-native-svg,brentvatne/react-native-svg,JavaScript,"Experimental SVG library for react-native based off of SVGKit. Not under active development, if you would like to take over and push this forward please get in touch @notbrent on Twitter",247,23,brentvatne,Brent Vatne,User,"Vancouver, Canada",2353
react-fetcher,markdalgleish/react-fetcher,JavaScript,Simple universal data fetching library for React,246,3,markdalgleish,Mark Dalgleish,User,"Melbourne, Australia",1007
university,hapijs/university,JavaScript,Community learning experiment,245,149,hapijs,hapi.js,Organization,,399
css-modulesify,css-modules/css-modulesify,JavaScript,A browserify plugin to load CSS Modules,245,17,css-modules,,Organization,,3546
clickspark.js,ymc-thzi/clickspark.js,JavaScript,clickspark.js is a javascript utility that adds beautiful particle effects to your javascript events,245,38,ymc-thzi,Thomas Zinnbauer,User,Swizerland,245
QualityAnalyzer,Qafoo/QualityAnalyzer,JavaScript,Tool helping us to analyze software projects,244,15,Qafoo,Qafoo GmbH,Organization,"Gelsenkirchen, Germany",244
js_data,vlandham/js_data,JavaScript,Data manipulation and processing in JavaScript,244,42,vlandham,Jim Vallandingham,User,"Seattle, WA",244
payform,jondavidjohn/payform,JavaScript,":credit_card: A library for building credit card forms, validating inputs, and formatting numbers.",243,20,jondavidjohn,Jonathan D. Johnson,User,"Springfield, MO",243
ThingsInSpace,jeyoder/ThingsInSpace,JavaScript,A real-time interactive WebGL visualisation of objects in Earth orbit,242,35,jeyoder,James Yoder,User,,242
react-styleguidist,sapegin/react-styleguidist,JavaScript,React styleguide generator,242,13,sapegin,Artem Sapegin,User,"Berlin, Germany",242
dodgercms,ChrisZieba/dodgercms,JavaScript,A static markdown CMS built on top of Amazon S3.,241,20,ChrisZieba,Chris Zieba,User,San Francisco,241
email-lab,sparkbox/email-lab,JavaScript,Starter project for designing and testing HTML email templates,241,23,sparkbox,Sparkbox,Organization,,241
typeslab,geelen/typeslab,JavaScript,"Simple, shareable typographic posters",241,36,geelen,Glen Maddern,User,"Melbourne, Australia",542
node-chat,IgorAntun/node-chat,JavaScript,Node.JS Chat Application,241,77,IgorAntun,Igor Antun,User,Rio de Janeiro,241
intruder,stevenmiller888/intruder,JavaScript,Wi-Fi network cracking in Node.js,241,14,stevenmiller888,Steven Miller,User,"San Francisco, CA",1082
es-checker,ruanyf/es-checker,JavaScript,A feature detection library for ECMAScript in node.js and browser.,241,16,ruanyf,Ruan YiFeng,User,"Shanghai, China",4394
mongoose-model-update,autolotto/mongoose-model-update,JavaScript,"Mongoose plugin providing a Model method for simple, filtered patch-style updates",240,3,autolotto,AutoLotto,Organization,"San Francisco, California",240
redux-effects,redux-effects/redux-effects,JavaScript,,240,3,redux-effects,,Organization,,240
bonsai-c,gasman/bonsai-c,JavaScript,C to asm.js compilation for humans,240,11,gasman,Matt Westcott,User,"Oxford, UK",240
static-site-generator-webpack-plugin,markdalgleish/static-site-generator-webpack-plugin,JavaScript,"Minimal, unopinionated static site generator powered by webpack",240,12,markdalgleish,Mark Dalgleish,User,"Melbourne, Australia",1007
Revenant,jiahaog/Revenant,JavaScript,A high level PhantomJS headless browser in Node.js ideal for task automation,239,3,jiahaog,Jia Hao,User,Singapore,239
naturalScroll,asvd/naturalScroll,JavaScript,smoothly scroll to the desired position,238,3,asvd,asvd,User,St.Petersburg | Munich,1229
MagicMirror,jamztang/MagicMirror,JavaScript,The Sketch 3 Plugin for Perspective Transformation for Artboards,238,10,jamztang,James Tang,User,Hong Kong,238
how-to-npm,npm/how-to-npm,JavaScript,A module to teach you how to module.,237,71,npm,npm,Organization,earth,237
react-native-parallax-view,lelandrichardson/react-native-parallax-view,JavaScript,Parallax view for vertical scrollview/listviews with a header image and header content,237,28,lelandrichardson,Leland Richardson,User,"San Francisco, CA",237
spring-mvc-angularjs-sample-app,jhades/spring-mvc-angularjs-sample-app,JavaScript,A sample AngularJs /Spring MVC app,237,273,jhades,JhadesDev,User,,237
jquery.stacky,jachinte/jquery.stacky,JavaScript,:ok_hand: Easy UIs with panels that open horizontally,236,18,jachinte,Miguel Jiménez,User,Colombia,236
hyperfs,mafintosh/hyperfs,JavaScript,"A content-addressable union file system build on top of fuse, hyperlog, leveldb and node",236,7,mafintosh,Mathias Buus,User,"Copenhagen, Denmark",3455
calipers,calipersjs/calipers,JavaScript,A Node.js library for measuring image and PDF dimensions.,235,8,calipersjs,,Organization,,235
Unsplash-It-Sketch,fhuel/Unsplash-It-Sketch,JavaScript,A plugin to quickly include great looking image from Unsplash.com in your Sketch projects. ,235,7,fhuel,Manuele Capacci,User,,235
clementinejs,johnstonbl01/clementinejs,JavaScript,The elegant and lightweight full stack JavaScript boilerplate.,234,35,johnstonbl01,Blake Johnston,User,"Fayetteville, AR, USA",234
whatwebcando,NOtherDev/whatwebcando,JavaScript,An overview of the device integration HTML5 APIs,234,9,NOtherDev,Adam Bar,User,,234
citojs,joelrich/citojs,JavaScript,,234,13,joelrich,Joel Richard,User,Switzerland,234
nylas-perftools,nylas/nylas-perftools,JavaScript,Distributed profiling on the cheap,234,14,nylas,Nylas,Organization,"San Francisco, California",346
pager,antonshevchenko/pager,JavaScript,Facebook Pages meets the web,234,51,antonshevchenko,Anton Shevchenko,User,Kinder Chocolate Factory,234
sync.sketchplugin,nolastan/sync.sketchplugin,JavaScript,Keep your design team in sync!,233,7,nolastan,Stan,User,"Oakland, CA",233
serviceworker-cookbook,mozilla/serviceworker-cookbook,JavaScript,It's online. It's offline. It's a Service Worker!,233,22,mozilla,Mozilla,Organization,"Mountain View, California",1905
drive-db,franciscop/drive-db,JavaScript,A Google Drive spreadsheet simple database,233,4,franciscop,Francisco Presencia,User,"Valencia, Spain",233
d3-extended,wbkd/d3-extended,JavaScript,Extends D3 with some common jQuery functions and more,232,18,wbkd,webkid,Organization,Berlin,2875
jsperf.com,jsperf/jsperf.com,JavaScript,jsperf.com v2. https://github.com/h5bp/lazyweb-requests/issues/174,232,33,jsperf,,Organization,,232
glsl-lighting-walkthrough,stackgl/glsl-lighting-walkthrough,JavaScript,:bulb: phong shading tutorial with glslify,232,5,stackgl,stackgl,Organization,,232
commonmark.js,jgm/commonmark.js,JavaScript,CommonMark parser and renderer in JavaScript,231,37,jgm,John MacFarlane,User,"Berkeley, CA",394
babel-plugin-webpack-loaders,istarkov/babel-plugin-webpack-loaders,JavaScript,babel 6 plugin which allows to use webpack loaders,231,4,istarkov,Ivan Starkov,User,"Vologda, Russia",908
rtype,ericelliott/rtype,JavaScript,Intuitive structural type notation for JavaScript.,230,9,ericelliott,Eric Elliott,User,"San Francisco, California",766
source-map-explorer,danvk/source-map-explorer,JavaScript,Analyze and debug space usage through source maps,230,4,danvk,Dan Vanderkam,User,"New York, NY",230
isomorphic-redux,bananaoomarang/isomorphic-redux,JavaScript,"Isomorphic Redux demo, with routing and async actions",230,33,bananaoomarang,Milo Mordaunt,User,United Kingdom,230
react-native-router-flux,aksonov/react-native-router-flux,JavaScript,iOS/Android React Native Router based on exNavigator ,230,36,aksonov,Pavlo Aksonov,User,"Koper, Slovenia",439
svg-path-builder,anthonydugois/svg-path-builder,JavaScript,Build SVG paths easily using an intuitive interface.,229,15,anthonydugois,Anthony Dugois,User,France,229
lambda-complex,exratione/lambda-complex,JavaScript,Build and deploy Node.js applications constructed from AWS Lambda functions.,229,12,exratione,Reason,User,,229
chrome,fabioberger/chrome,JavaScript,GopherJS Bindings for Chrome,229,10,fabioberger,Fabio Berger,User,San Francisco,229
react-native-swipeout,dancormier/react-native-swipeout,JavaScript,iOS-style swipeout buttons behind component,229,34,dancormier,Dan Cormier,User,United States,229
pixel-picker,DesignerNews/pixel-picker,JavaScript,Create cool pixel art.,228,15,DesignerNews,Designer News,Organization,,228
blooming-menu,caiogondim/blooming-menu,JavaScript,:cherry_blossom: AwesomeMenu made with CSS,228,16,caiogondim,Caio Gondim,User,Amsterdam,883
scrollport-js,iserdmi/scrollport-js,JavaScript,Not your boring plugin for scrolling animation.,228,14,iserdmi,Sergey Dmitriev,User,"Russia, Samara",228
react-burger-menu,negomi/react-burger-menu,JavaScript,An off-canvas sidebar component with a collection of effects and styles using CSS transitions and SVG path animations,227,19,negomi,Imogen Wentworth,User,San Francisco,227
react-faux-dom,Olical/react-faux-dom,JavaScript,DOM like structure that renders to React,227,14,Olical,Oliver Caldwell,User,"London, England",227
musicsaur,schollz/musicsaur,JavaScript,Music synchronization from your browser!,225,14,schollz,Zack,User,,225
redux-easy-boilerplate,anorudes/redux-easy-boilerplate,JavaScript,React redux easy boilerplate,225,28,anorudes,,User,,225
elm-native-ui,elm-native-ui/elm-native-ui,JavaScript,WIP experiment: Building mobile apps with Elm powered by React Native.,225,6,elm-native-ui,,Organization,,225
react-admin,marmelab/react-admin,JavaScript,Add a ReactJS admin GUI to any RESTful API. Based on ng-admin.,224,21,marmelab,marmelab,Organization,,1062
electron-boilerplate,sindresorhus/electron-boilerplate,JavaScript,Boilerplate to kickstart creating an app with Electron (formerly atom-shell),224,21,sindresorhus,Sindre Sorhus,User,✈,11371
axe-core,dequelabs/axe-core,JavaScript,Accessibility engine for automated Web UI testing,224,38,dequelabs,Deque Labs,Organization,Ann Arbor,224
practical-ui-physics,desandro/practical-ui-physics,JavaScript,Learn basic physics for UI,223,5,desandro,David DeSandro,User,"Alexandria, VA",223
ReactNativeNews,tabalt/ReactNativeNews,JavaScript,a news app code by react native,223,47,tabalt,,User,Beijing China,223
react-native-modal,brentvatne/react-native-modal,JavaScript,A <Modal /> component for react-native,222,39,brentvatne,Brent Vatne,User,"Vancouver, Canada",2353
react-data-grid,adazzle/react-data-grid,JavaScript,"Excel-like grid component built with React, with editors, keyboard navigation, copy & paste, and the like http://adazzle.github.io/react-data-grid/ ",222,84,adazzle,Adazzle,Organization,"London, UK",222
generator-webappstarter,unbug/generator-webappstarter,JavaScript,Quick start a web app for mobile.Automatically adjusts according to a device’s screen size without any extra work.,222,40,unbug,Unbug Lee,User,,581
JSanity,Microsoft/JSanity,JavaScript,"A secure-by-default, performance, cross-browser client-side HTML sanitization library",222,10,Microsoft,Microsoft,Organization,"Redmond, WA",23867
ImageSegmentation,AKSHAYUBHAT/ImageSegmentation,JavaScript,"Perform image segmentation and background removal in javascript using canvas element, computer vision superpixel algorithms",221,22,AKSHAYUBHAT,Akshay Bhat,User,"New York, NY, USA",221
react-portal,tajo/react-portal,JavaScript,"Simple React component for transportation of your modals, lightboxes, etc. to document.body",221,24,tajo,Vojtěch Mikšů,User,"Atlanta, GA",221
Sketch-Find-And-Replace,mscodemonkey/Sketch-Find-And-Replace,JavaScript,Sketch 3 plugin to do a find and replace on text within layers,221,3,mscodemonkey,Martin Steven,User,"Queensland, Australia",221
Gladys,GladysProject/Gladys,JavaScript,Your home automation assistant built with Node.js and AngularJS,221,34,GladysProject,Gladys Project,Organization,,221
adapter,webrtc/adapter,JavaScript,Shim to insulate apps from spec changes and prefix differences.,221,64,webrtc,WebRTC,Organization,,498
node-module-boilerplate,sindresorhus/node-module-boilerplate,JavaScript,Boilerplate to kickstart creating a node module,220,12,sindresorhus,Sindre Sorhus,User,✈,11371
ustwo.com-frontend,ustwo/ustwo.com-frontend,JavaScript,The New & Improved ustwo Website,220,13,ustwo,ustwo™,Organization,London / Malmo / New York / Sydney,511
favicon-bug,benjamingr/favicon-bug,JavaScript,Demonstrates Chrome/Firefox/Safari download 1GB favicons,220,7,benjamingr,Benjamin Gruenbaum,User,,348
air-datepicker,t1m0n/air-datepicker,JavaScript,Cool jQuery datepicker,220,25,t1m0n,Timofey,User,Russia,220
angular-wordpress-seed,michaelbromley/angular-wordpress-seed,JavaScript,A bare-bones AngularJS blog app designed to work with the Wordpress JSON REST API.,220,46,michaelbromley,Michael Bromley,User,"Vienna, Austria",382
tabs-or-spaces,ukupat/tabs-or-spaces,JavaScript,Module for analysing which whitespace types are used by the top starred repositories in GitHub,220,6,ukupat,Uku Pattak,User,"Tartu, Estonia",802
earcut,mapbox/earcut,JavaScript,The fastest and smallest JavaScript polygon triangulation library for your WebGL apps,220,18,mapbox,Mapbox,Organization,Washington DC,993
JianDan-React-Native,w4lle/JianDan-React-Native,JavaScript,Jiandan App client implemented using React Native for Android.,219,51,w4lle,WangLingLong,User,"Shanghai,China",341
stat-distributions-js,richarddmorey/stat-distributions-js,JavaScript,Javascript library for the visualization of statistical distributions,219,7,richarddmorey,Richard Morey,User,"Cardiff, Wales",219
request,lesschat/request,JavaScript,记录HTTP请求,并把结果展现出来 - http://request.lesschat.com,219,28,lesschat,,Organization,,219
sc-sample-inventory,SocketCluster/sc-sample-inventory,JavaScript,Sample inventory tracking app built with SocketCluster,218,10,SocketCluster,SocketCluster,Organization,,218
strapi,wistityhq/strapi,JavaScript,Build powerful back-end with no effort. http://strapi.io/,218,10,wistityhq,Wistity HQ,Organization,"Paris, France",218
banner-designer,hasinhayder/banner-designer,JavaScript,Design beautiful banners with this visual banner builder,217,62,hasinhayder,Hasin Hayder,User,"Dhaka, Bangladesh",217
redux-crud,Versent/redux-crud,JavaScript,A set of standard actions and reducers for Redux CRUD Applications,217,7,Versent,Versent,Organization,"Melbourne, Sydney, Brisbane",217
IAMDinosaur,ivanseidel/IAMDinosaur,JavaScript,A simple artificial inteligence to teach Google's Dinosaur to jump cactus,217,28,ivanseidel,Ivan Seidel,User,"Vitória, ES - Brasil",217
firstaidgit,magalhini/firstaidgit,JavaScript,First Aid Git,217,30,magalhini,Ricardo Magalhães,User,"Berlin, Germany",217
vectorious,mateogianolio/vectorious,JavaScript,A high performance linear algebra library.,217,6,mateogianolio,Mateo Gianolio,User,Sweden,1684
react-way-getting-started,RisingStack/react-way-getting-started,JavaScript,The React Way: Getting Started,217,69,RisingStack,RisingStack,Organization,,1509
redux-store-visualizer,romseguy/redux-store-visualizer,JavaScript,Visualize Redux store in real time,216,3,romseguy,Romain Séguy,User,Anywhere,216
react-native-animatable,oblador/react-native-animatable,JavaScript,Standard set of easy to use animations and declarative transitions for React Native,216,15,oblador,Joel Arvidsson,User,"Malmö, Sweden",882
react-themeable,markdalgleish/react-themeable,JavaScript,Utility for making React components easily themeable,216,4,markdalgleish,Mark Dalgleish,User,"Melbourne, Australia",1007
rx-player,canalplus/rx-player,JavaScript,HTML5 video player with some reactive programming inside,215,20,canalplus,CANAL+,Organization,,215
ionic-course,EricSimons/ionic-course,JavaScript,'Mastering Ionic' course code and markdown,215,98,EricSimons,Eric Simons,User,"Palo Alto, CA",215
electron-pdf,fraserxu/electron-pdf,JavaScript,"A command line tool to generate PDF from URL, HTML or Markdown files.",215,18,fraserxu,Fraser Xu,User,"Melbourne, Australia",476
omnus,tejasmanohar/omnus,JavaScript,Offline mobile music streaming server,214,1,tejasmanohar,Tejas Manohar,User,,966
DoubanMovie-React-Native,fengjundev/DoubanMovie-React-Native,JavaScript,DoubanMovie made with React Native,214,42,fengjundev,fengjun.dev.cn,User,China,689
code-blast-codemirror,chinchang/code-blast-codemirror,JavaScript,Particles blasts while typing in Codemirror,214,59,chinchang,Kushagra Gour,User,"Delhi, India",1981
slack-irc,ekmartin/slack-irc,JavaScript,Connects Slack and IRC channels by sending messages back and forth.,213,53,ekmartin,Martin Ek,User,Norway,213
ember-cli-flash,poteto/ember-cli-flash,JavaScript,"Simple, highly configurable flash messages for ember-cli",213,40,poteto,Lauren Tan,User,"Boston, MA",587
digitalrain,tidwall/digitalrain,JavaScript,Matrix Digital Rain written in Go for HTML5 + Canvas,213,14,tidwall,Josh Baker,User,"Tempe, AZ",952
jQuery.scrollSpeed,nathco/jQuery.scrollSpeed,JavaScript,Extension for custom scrolling speed and easing,213,40,nathco,Nathan Rutzky,User,United States,1725
termflix,asarode/termflix,JavaScript,Search and stream torrents from your command line,212,6,asarode,Arjun Sarode,User,,212
inspire-tree,helion3/inspire-tree,JavaScript,Inspired Javascript Tree UI Element,212,10,helion3,Helion3 LLC,Organization,"Portland, OR",212
react-way-immutable-flux,RisingStack/react-way-immutable-flux,JavaScript,"React.js way with ES6, Immutable.js and Flux",212,16,RisingStack,RisingStack,Organization,,1509
react-native-lightbox,oblador/react-native-lightbox,JavaScript,Images etc in Full Screen Lightbox Popovers for React Native,212,17,oblador,Joel Arvidsson,User,"Malmö, Sweden",882
wizardwarz,Lallassu/wizardwarz,JavaScript,WebGL Multiplayer game with NodeJS backend,211,31,Lallassu,Magnus,User,Sweden,320
node-dash-button,hortinstein/node-dash-button,JavaScript,A small module to emit events when an Amazon Dash Button is pressed,211,19,hortinstein,Alex Hortin,User,Washington DC,211
hodor,hummingbirdtech/hodor,JavaScript,Official repo for the hodor-lang.org programming language,211,19,hummingbirdtech,Hummingbird Technologies,Organization,"Atlanta, GA",211
Protip,DoclerLabs/Protip,JavaScript,A new generation jQuery Tooltip plugin,211,19,DoclerLabs,DoclerLabs,Organization,,211
nodejs.org,nodejs/nodejs.org,JavaScript,The Node.js website.,211,250,nodejs,,Organization,,3323
steamSummerMinigame,chauffer/steamSummerMinigame,JavaScript,:godmode: Steam Summer Sale 2015 - Auto-play Optimizer w/ Auto-Click,210,158,chauffer,Simone,User,Italy,210
orchestra,unlimitedlabs/orchestra,JavaScript,Orchestra is a system for orchestrating project teams of experts and machines.,210,14,unlimitedlabs,,Organization,,210
geojsonapp,mick/geojsonapp,JavaScript,Preview geojson files locally w/ electron and mapbox gl,210,12,mick,Mick Thompson,User,"San Francisco, CA",210
recipes,BrowserSync/recipes,JavaScript,Fully working project examples showing how to use BrowserSync in various ways.,210,40,BrowserSync,Browsersync,Organization,"Nottingham, UK",319
lerna,kittens/lerna,JavaScript,:dragon: A tool for managing JavaScript projects with multiple packages.,209,11,kittens,Sebastian McKenzie,User,London,209
jankyscroll,benzweig/jankyscroll,JavaScript,"put a little jank in your scroll, or a lot. lots of jank. jank it up",209,10,benzweig,Benjamin Zweig,User,San Francisco,209
react-redux-isomorphic-example,coodoo/react-redux-isomorphic-example,JavaScript,"An isomorphic example built with react and redux , see readme for detailed instructions ",208,35,coodoo,Jeremy Lu,User,Taipei,208
Legofy,Wildhoney/Legofy,JavaScript,Legofy your images with retina support using SVG.,208,8,Wildhoney,Adam Timberlake,User,"London, UK",779
AnyPhone,ParsePlatform/AnyPhone,JavaScript,Phone-Based login accounts with Parse + Twilio,208,58,ParsePlatform,Parse,Organization,"Menlo Park, CA",4296
social-share-kit,darklow/social-share-kit,JavaScript,"Library of decent and good looking CSS/JavaScript social sharing icons, buttons and popups",207,28,darklow,Kaspars Sprogis,User,,207
quickstart,angular/quickstart,JavaScript,A repository used by the Alpha Preview of Angular 2 for JavaScript.,207,92,angular,Angular,Organization,,2141
playground,rezoner/playground,JavaScript,"Playground.js is a framework for your javascript based games. It gives you out-of-box access to essentials like mouse, keyboard, sound and well designed architecture that you can expand to your needs.",207,27,rezoner,Przemysław Sikorski,User,Poland,207
nodal,keithwhor/nodal,JavaScript,Web Servers Made Easy With Node.js,207,5,keithwhor,Keith Horwood,User,"San Francisco, CA",509
browserify-hmr,AgentME/browserify-hmr,JavaScript,Hot Module Replacement plugin for Browserify,206,5,AgentME,Chris Cowan,User,,206
ReactShadow,Wildhoney/ReactShadow,JavaScript,Use Shadow DOM with React.js and CSS imports; write your component styles in CSS!,206,10,Wildhoney,Adam Timberlake,User,"London, UK",779
webpack-hot-middleware,glenjamin/webpack-hot-middleware,JavaScript,Webpack hot reloading you can attach to your own server,206,25,glenjamin,Glen Mailer,User,"Sheffield, United Kingdom",411
react-flux-starter-kit,coryhouse/react-flux-starter-kit,JavaScript,A quick way to get rolling with React and Flux using Browserify and Gulp,206,53,coryhouse,Cory House,User,Kansas City,206
react-starter,eanplatter/react-starter,JavaScript,Starter template for React with webpack. Does focus on simplicity! FOR BEGINNERS! :fallen_leaf: ,206,22,eanplatter,ean,User,"Nashville, TN",206
Hyphenator,mnater/Hyphenator,JavaScript,Javascript that implements client-side hyphenation of HTML-Documents,205,23,mnater,Mathias Nater,User,Zürich,205
ultimate-hot-reloading-example,glenjamin/ultimate-hot-reloading-example,JavaScript,Hot reload all the things!,205,9,glenjamin,Glen Mailer,User,"Sheffield, United Kingdom",411
pageres-cli,sindresorhus/pageres-cli,JavaScript,Capture website screenshots,204,9,sindresorhus,Sindre Sorhus,User,✈,11371
zkdash,ireaderlab/zkdash,JavaScript,A dashboard for zookeeper and Qconf,204,57,ireaderlab,掌阅,Organization,,204
substack-flavored-webapp,substack/substack-flavored-webapp,JavaScript,Here are some tiny backend node modules I like to glue together to build webapps.,204,25,substack,James Halliday,User,"Oakland, California, USA",976
adonis-framework,adonisjs/adonis-framework,JavaScript,"Http dispatcher for node/iojs , it helps you bind routes and middlewares using es6 generators",204,12,adonisjs,Adonis,Organization,India,204
react-test-tree,QubitProducts/react-test-tree,JavaScript,Simple and concise React component testing,204,8,QubitProducts,Qubit,Organization,,204
d3act,AnSavvides/d3act,JavaScript,d3 with React,203,11,AnSavvides,Andreas Savvides,User,London,203
node-big-rig,GoogleChrome/node-big-rig,JavaScript,A CLI version of Big Rig,203,5,GoogleChrome,,Organization,,3031
expect-jsx,algolia/expect-jsx,JavaScript,toEqualJSX for mjackson/expect,203,7,algolia,Algolia,Organization,,787
adminlte-laravel,acacha/adminlte-laravel,JavaScript,A Laravel 5 package that switchs default Laravel scaffolding/boilerplate to AdminLTE template and Pratt Landing Page with Bootstrap 3.0,203,62,acacha,Sergi Tur Badenas,User,Tortosa,203
nuka-carousel,kenwheeler/nuka-carousel,JavaScript,Pure React Carousel Component,203,42,kenwheeler,Ken Wheeler,User,New Jersey,319
generator-babel-boilerplate,babel/generator-babel-boilerplate,JavaScript,A Yeoman generator to author libraries in ES2015 (and beyond!) for Node and the browser.,202,32,babel,Babel,Organization,,2097
rmodal.js,zewish/rmodal.js,JavaScript,A simple modal dialog with no external dependencies,202,8,zewish,Iskren Slavov,User,Bulgaria,202
DrMongo,DrMongo/DrMongo,JavaScript,MongoDB admin app built on MeteorJs.,202,18,DrMongo,Dr. Mongo,Organization,,202
hitagi.js,RoganMurley/hitagi.js,JavaScript,JavaScript HTML5 game development framework,202,12,RoganMurley,Rogan Murley,User,,202
Demos,MicrosoftEdge/Demos,JavaScript,Open source and interoperable demos for Microsoft Edge Dev site ,202,117,MicrosoftEdge,Microsoft Edge,Organization,,706
react-proxy,gaearon/react-proxy,JavaScript,Proxies React components without unmounting or losing their state,202,12,gaearon,Dan Abramov,User,"London, UK",7814
smartvpn-billing,smartvpnbiz/smartvpn-billing,JavaScript,Billing and auth system for VPN provider,201,107,smartvpnbiz,SmartVPN.biz,Organization,,355
react-redux-jwt-auth-example,joshgeller/react-redux-jwt-auth-example,JavaScript,"Sample project showing possible authentication flow using React, Redux, React-Router, and JWT",201,16,joshgeller,,User,,201
react-training-material,ReactJSTraining/react-training-material,JavaScript,Course material for React.js Training,201,74,ReactJSTraining,React.js Training,Organization,,201
LeanEngine-Full-Stack,leancloud/LeanEngine-Full-Stack,JavaScript,LeanEngine Full Stack Generator ,201,38,leancloud,LeanCloud,Organization,China,540
material-design-template,joashp/material-design-template,JavaScript,Material Design Based One Page HTML Template,201,144,joashp,Joash,User,/home/Goa,201
webpack-isomorphic-tools,halt-hammerzeit/webpack-isomorphic-tools,JavaScript,Server-side rendering for your Webpack-built applications (e.g. React),201,12,halt-hammerzeit,Nikolay,User,"Moscow, Russia",201
ex-navigator,exponentjs/ex-navigator,JavaScript,Route-centric navigation built on top of React Native's Navigator,200,25,exponentjs,Exponent,Organization,"Palo Alto, CA",307
a-tale-of-three-lists,getify/a-tale-of-three-lists,JavaScript,Comparing various async patterns for a single demo,200,7,getify,Kyle Simpson,User,"Austin, TX",333
data,GoogleTrends/data,JavaScript,An index of all open-source data,200,16,GoogleTrends,Google Trends,Organization,San Francisco,200
redux-falcor,ekosz/redux-falcor,JavaScript,Connect your redux front-end to your falcor back-end,200,7,ekosz,Eric Koslow,User,"San Francisco, CA",200
node-letsencrypt,Daplie/node-letsencrypt,JavaScript,letsencrypt for node.js,199,8,Daplie,"Daplie, Inc",Organization,"Provo, UT",199
redux-voting-server,teropa/redux-voting-server,JavaScript,Server app for the Full-Stack Redux Tutorial,199,25,teropa,Tero Parviainen,User,"Helsinki, Finland",522
loopgifs,geelen/loopgifs,JavaScript,,199,25,geelen,Glen Maddern,User,"Melbourne, Australia",542
booktree,phodal/booktree,JavaScript,A Book Tree,199,37,phodal,Fengda Huang,User,Xiamen China,2292
jquery-nice-select,hernansartorio/jquery-nice-select,JavaScript,A lightweight jQuery plugin that replaces native select elements with customizable dropdowns.,199,27,hernansartorio,Hernán Sartorio,User,Uruguay,199
duktape-android,square/duktape-android,JavaScript,The Duktape embeddable Javascript engine packaged for Android.,198,11,square,Square,Organization,,13457
tantalum,tunabrain/tantalum,JavaScript,WebGL 2D Light Transport,198,17,tunabrain,Benedikt Bitterli,User,Switzerland,198
desktop,andrewreedy/desktop,JavaScript,"Hybrid desktop app build tools for Meteor (MacGap2, nw.js, atom-shell)",197,11,andrewreedy,Andrew Reedy,User,"San Diego, CA",197
Parse-SDK-JS,ParsePlatform/Parse-SDK-JS,JavaScript,Parse SDK for JavaScript,197,40,ParsePlatform,Parse,Organization,"Menlo Park, CA",4296
ember-nf-graph,Netflix/ember-nf-graph,JavaScript,Composable graphing component library for EmberJS.,197,30,Netflix,"Netflix, Inc.",Organization,"Los Gatos, California",8686
postcss-modules-local-by-default,css-modules/postcss-modules-local-by-default,JavaScript,A CSS Modules transform to make local scope the default,197,13,css-modules,,Organization,,3546
ember-watson,abuiles/ember-watson,JavaScript,A young Ember Doctor to help you fix your code.,196,29,abuiles,Adolfo Builes,User,"Medellín, Colombia",196
shunter,nature/shunter,JavaScript,A Node.js application built to read JSON and translate it into HTML,196,7,nature,Nature Publishing Group,Organization,London & New York,196
React-Dropzone-Component,felixrieseberg/React-Dropzone-Component,JavaScript,:camera: ReactJS Dropzone for File Uploads (using Dropzone.js),196,34,felixrieseberg,Felix Rieseberg,User,San Francisco,735
ng-redux,wbuchwalter/ng-redux,JavaScript,Angular bindings for Redux,195,26,wbuchwalter,William Buchwalter,User,"Montréal, Canada or Toulouse, France",195
generate-schema,nijikokun/generate-schema,JavaScript,"Effortlessly convert your JSON Object to JSON Schema, Mongoose Schema, or a Generic template for quick documentation / upstart.",194,12,nijikokun,Nijiko Yonskai,User,"San Francisco, California",194
redux-analytics,markdalgleish/redux-analytics,JavaScript,Analytics middleware for Redux,194,1,markdalgleish,Mark Dalgleish,User,"Melbourne, Australia",1007
reapp-ui,reapp/reapp-ui,JavaScript,Amazing cross platform UI's with React and JavaScript,194,40,reapp,reapp,Organization,the web,317
React-Native-App,vczero/React-Native-App,JavaScript,React-Native实战simple App,193,72,vczero,vczero,User,"Shanghai,China",1457
dokker,oceanhouse21/dokker,JavaScript,Dokker.js creates professional Javascript code documentations.,193,9,oceanhouse21,Oceanhouse21 GmbH,Organization,Frankfurt am Main,193
mstsc.js,citronneur/mstsc.js,JavaScript,A pure Node.js Microsoft Remote Desktop Protocol (RDP) Client,193,8,citronneur,Sylvain Peyrefitte,User,"Rennes, France",193
epichrome,dmarmor/epichrome,JavaScript,An application (Epichrome.app) and Chrome extension (Epichrome Helper) to create and use Chrome-based SSBs on Mac OSX.,193,9,dmarmor,,User,,193
flatmarket,christophercliff/flatmarket,JavaScript,"A free, open source e-commerce platform for static websites.",193,8,christophercliff,Christopher Cliff,User,"New York, NY",193
yoda,whoisandie/yoda,JavaScript,A nifty Mac OS X app to browse and download YouTube videos,193,24,whoisandie,Bhargav Anand,User,"Fremont, CA",193
wifi-password,kevva/wifi-password,JavaScript,Get current wifi password,193,4,kevva,Kevin Mårtensson,User,Sweden,193
github-js,akshaykumar6/github-js,JavaScript,Javascript Plugin over Github APIs.,193,10,akshaykumar6,Akshay Sharma,User,"Bangalore, India",193
space-radar,zz85/space-radar,JavaScript,Disk Space Visualization App built with Electron & d3.js,192,5,zz85,Joshua Koo,User,Singapore & Silicon Valley,192
angular-webpack-workflow,Foxandxss/angular-webpack-workflow,JavaScript,A workflow for Angular 1.x using Webpack + Babel,192,42,Foxandxss,Jesús Rodríguez Rodríguez,User,"Cádiz, Spain",192
updeep,substantial/updeep,JavaScript,Easily update nested frozen objects and arrays in a declarative and immutable manner.,192,8,substantial,,Organization,,192
l1-path-finder,mikolalysenko/l1-path-finder,JavaScript,A fast planner for 2D uniform cost grids,191,7,mikolalysenko,Mikola Lysenko,User,"Madison, WI",191
citysdk,uscensusbureau/citysdk,JavaScript,"Through our CitySDK, we are aiming to provide a user-friendly “toolbox” for civic hackers to connect local and national public data. The creation of the SDK came out of the desire to make it easier to use the Census API for common tasks that our developer community asked for. We have been engaging developers around the country for the past two years and have observed how they use the API and have built the most commonly needed functionalities usually put ‘on top’ of our API right into the SDK, saving the developer from having to do it herself. ",191,66,uscensusbureau,US Census Bureau,Organization,United States,191
redux-react-router-example-app,knowbody/redux-react-router-example-app,JavaScript,Example blog like application,191,16,knowbody,Mateusz Zatorski,User,London,191
mississippi,maxogden/mississippi,JavaScript,A collection of useful stream utility modules for writing better code using streams,191,5,maxogden,=^._.^=,User,,4885
Scorex-Lagonaki,ScorexProject/Scorex-Lagonaki,JavaScript,Modular blockchain framework. Just 4K lines of Scala code. Public domain,190,22,ScorexProject,,Organization,,190
SVG-FILTERS,jorgeatgu/SVG-FILTERS,JavaScript,Fildrop. A set of custom SVG Filters,190,12,jorgeatgu,Jorge Aznar,User,Zaragoza,190
TypeScript-Handbook,Microsoft/TypeScript-Handbook,JavaScript,The TypeScript Handbook is a comprehensive guide to the TypeScript language,190,75,Microsoft,Microsoft,Organization,"Redmond, WA",23867
react-blur,javierbyte/react-blur,JavaScript,React component for blurred backgrounds.,190,18,javierbyte,Javier Bórquez,User,"Guadalajara, MX",2047
itch,itchio/itch,JavaScript,:video_game: The best way to play your itch.io games,190,12,itchio,itch.io,Organization,USA + France,190
starter-kit,unicorn-standard/starter-kit,JavaScript,"Project boilerplate using React, Redux and Uniloc",190,11,unicorn-standard,Unicorn Standard,Organization,,190
bluntly,danoctavian/bluntly,JavaScript,"serverless, encrypted, NAT-breaking p2p connections",189,15,danoctavian,dandroid,User,"San Francisco, USA",189
funfuzz,MozillaSecurity/funfuzz,JavaScript,JavaScript engine & DOM fuzzers,189,42,MozillaSecurity,Mozilla Security,Organization,"Mountain View, Ca",189
CrazyEye,triaquae/CrazyEye,JavaScript,OpenSource IT Automation Software,188,105,triaquae,,User,,188
rxvision,jaredly/rxvision,JavaScript,visualizer debugger for reactive streams,188,4,jaredly,Jared Forsyth,User,"Provo, UT",188
fluxthis,addthis/fluxthis,JavaScript,"super-opinionated, yell-at-you-for-everything, immutable Flux framework",188,14,addthis,AddThis,Organization,,188
react-native-viewpager,race604/react-native-viewpager,JavaScript,ViewPager component for React Native,188,42,race604,,User,"Beijing, China",4036
universal-react-flux-boilerplate,voronianski/universal-react-flux-boilerplate,JavaScript,React (0.13.x) + Flux (Flummox) + ReactRouter (0.13.x) + Server Rendering,187,11,voronianski,Dmitri Voronianski,User,"Kiev, Ukraine",3104
javascript-karplus-strong,mrahtz/javascript-karplus-strong,JavaScript,JavaScript/Web Audio implementation of Karplus-Strong guitar synthesis,187,14,mrahtz,Matthew Rahtz,User,,187
cz-cli,commitizen/cz-cli,JavaScript,The commitizen command line utility.,187,7,commitizen,Commitizen,Organization,Internet,187
phonebot,IBM-Bluemix/phonebot,JavaScript,Slackbot using IBM Watson and Twilio to make phone calls via slack commands,187,17,IBM-Bluemix,IBM Bluemix,Organization,,187
pm2-webshell,pm2-hive/pm2-webshell,JavaScript,Expose a fully capable terminal in your browser,186,21,pm2-hive,,Organization,,186
baobab-react,Yomguithereal/baobab-react,JavaScript,React integration for Baobab.,186,20,Yomguithereal,Guillaume Plique,User,France,1085
redux-immutablejs,indexiatech/redux-immutablejs,JavaScript,Redux Immutable facilities.,185,10,indexiatech,"Indexia Technologies, ltd.",Organization,Israel,185
SourceBrowser,KirillOsenkov/SourceBrowser,JavaScript,Source browser website generator that powers http://referencesource.microsoft.com and http://source.roslyn.io,185,29,KirillOsenkov,Kirill Osenkov,User,"Redmond, WA",185
better-log,RReverser/better-log,JavaScript,console.log wrapper for a bit more readable output in Node.js,185,3,RReverser,Ingvar Stepanyan,User,"London, UK",185
THREE.MeshLine,spite/THREE.MeshLine,JavaScript,Mesh replacement for THREE.Line,185,4,spite,Jaume Sanchez,User,Barcelona,835
miss-plete,xavi/miss-plete,JavaScript,Misspelling-tolerant autocomplete in less than 220 lines of JavaScript.,185,9,xavi,Xavi Caballé,User,Barcelona,185
ionic-native-transitions,shprink/ionic-native-transitions,JavaScript,Native transitions for Ionic Framework,184,20,shprink,Julien Renaux,User,"Mexico city, Mexico",184
PykCharts.js,pykih/PykCharts.js,JavaScript,"26+ well-designed, themeable, responsive, real-time and easy to use charts and 109+ maps.",183,40,pykih,Pykih ,Organization,"Mumbai, India",183
crapify,bcoe/crapify,JavaScript,"a proxy for simulating slow, spotty, HTTP connections",183,6,bcoe,Benjamin E. Coe,User,Oakland,496
psy,substack/psy,JavaScript,process monitor command,183,3,substack,James Halliday,User,"Oakland, California, USA",976
hyperdrive,mafintosh/hyperdrive,JavaScript,A file sharing network based on rabin file chunking and append only feeds of data verified by merkle trees.,183,10,mafintosh,Mathias Buus,User,"Copenhagen, Denmark",3455
sonnyJS,maierfelix/sonnyJS,JavaScript,Incredibly fast single page application engine,183,12,maierfelix,Felix,User,"Stuttgart, Germany",183
blaze-react,timbrandin/blaze-react,JavaScript,React templating for Meteor,183,14,timbrandin,Tim Brandin,User,Gothenburg,183
swiped,mishk0/swiped,JavaScript,"Swiped.js - pretty swipe list for your mobile application, written in pure JS",183,8,mishk0,Mikhail Mokrushin,User,"Moscow, Russia",696
parsec,bucaran/parsec,JavaScript,CLI Parser,183,4,bucaran,Jorge Bucaran,User,"Tokyo, Japan",2495
Nuclear,AlloyTeam/Nuclear,JavaScript,made UI super easy,182,37,AlloyTeam,腾讯 AlloyTeam,Organization,"中国深圳(Shenzhen, China)",423
react-toggle,instructure-react/react-toggle,JavaScript,"An elegant, accessible toggle component for React. Also a glorified checkbox.",182,25,instructure-react,,Organization,,182
react-webpack-starter,krasimir/react-webpack-starter,JavaScript,A template for writing React based ES6 app using webpack,182,19,krasimir,Krasimir Tsonev,User,"Varna, Bulgaria",465
medium-editor-markdown,IonicaBizau/medium-editor-markdown,JavaScript,:pencil: A Medium Editor extension to add markdown support.,182,10,IonicaBizau,Ionică Bizău,User,Romania,4581
heartbeat.js,SoundBot/heartbeat.js,JavaScript,:heart: HeartBeat.js - console and error monitoring library,182,5,SoundBot,,User,,182
Framer-Inventory-for-Sketch,timurnurutdinov/Framer-Inventory-for-Sketch,JavaScript,Sketch plugin to generate FramerJS prototypes. Just have your motion done.,182,5,timurnurutdinov,Timur Nurutdinov,User,,182
hyperlogsandwich,chanian/hyperlogsandwich,JavaScript,,182,5,chanian,Ian Chan,User,San Francisco,182
fetchival,typicode/fetchival,JavaScript,Easy window.fetch requests,182,9,typicode,,User,✈,736
react-native-looped-carousel,appintheair/react-native-looped-carousel,JavaScript,Looped carousel for React Native,182,32,appintheair,App in the Air,Organization,,182
datacomb,cmpolis/datacomb,JavaScript,"An interactive tool for exploring large, tabular datasets.",181,7,cmpolis,Chris Polis,User,California,701
observejs,kmdjs/observejs,JavaScript,用于观察任意对象的任意变化的类库,以轻巧、实用、强大而闻名。,181,41,kmdjs,dntzhang,User,深圳,181
webssh,xsank/webssh,JavaScript,WebSSH is a simple web project which support login linux server with explorer.,181,58,xsank,xsank,User,"Hangzhou, China",181
tweelead,Taskulu/tweelead,JavaScript,Generate actionable leads from Twitter,181,30,Taskulu,Taskulu,Organization,,181
pg-promise,vitaly-t/pg-promise,JavaScript,Complete access layer to PG via Promises/A+,181,17,vitaly-t,Vitaly Tomilov,User,"Dublin, Ireland",181
d3.sketchy,sebastian-meier/d3.sketchy,JavaScript,"A tool to create sketchy backgrounds, shapes and lines",180,5,sebastian-meier,Sebastian Meier,User,Berlin,180
cycle-react,pH200/cycle-react,JavaScript,Rx functional interface to Facebook's React,180,10,pH200,pH200,User,"Taipei, Taiwan",180
angular-registration-login-example,cornflourblue/angular-registration-login-example,JavaScript,AngularJS User Registration and Login Example,180,157,cornflourblue,Jason Watmore,User,Sydney Australia,180
lokka,kadirahq/lokka,JavaScript,Simple JavaScript Client for GraphQL,180,1,kadirahq,KADIRA,Organization,Sri Lanka,432
end-to-end,yahoo/end-to-end,JavaScript,Use OpenPGP-based encryption in Yahoo mail.,180,25,yahoo,Yahoo Inc.,Organization,"Sunnyvale, California",10798
redux-act,pauldijou/redux-act,JavaScript,An opinionated lib to create actions and reducers for Redux,180,7,pauldijou,Paul Dijou,User,"Toulouse, France",180
jQuery.loadScroll,nathco/jQuery.loadScroll,JavaScript,Extension for loading images while scrolling,179,9,nathco,Nathan Rutzky,User,United States,1725
before-after.js,jotform/before-after.js,JavaScript,An Image Comparision Slider: See an example demo here: http://www.jotform.com/formscentral/,179,24,jotform,JotForm,Organization,"San Francisco, CA",440
sanctuary,plaid/sanctuary,JavaScript,:see_no_evil: Refuge from unsafe JavaScript,179,9,plaid,Plaid,Organization,"San Francisco, CA",179
ionic-filter-bar,djett41/ionic-filter-bar,JavaScript,Filter Bar plugin for the Ionic Framework,179,46,djett41,Devin Jett,User,Washington DC,179
stop-server,typicode/stop-server,JavaScript,Shut down your computer using nodejs and a phone,179,17,typicode,,User,✈,736
md-date-time,SimeonC/md-date-time,JavaScript,Depreciated see ,178,47,SimeonC,Simeon Cheeseman,User,New Zealand,178
netcapsule,ikreymer/netcapsule,JavaScript,Browse old web pages the old way with virtual browsers in the browser,178,15,ikreymer,Ilya Kreymer,User,"San Francisco, United States",178
universal-redux,bdefore/universal-redux,JavaScript,An npm package that lets you jump right into coding React and Redux with universal (isomorphic) rendering. Only manage Express setups or Webpack configurations if you want to.,178,10,bdefore,Buck DeFore,User,"San Francisco, CA",178
angular-virtual-dom,teropa/angular-virtual-dom,JavaScript,A Virtual DOM based AngularJS view renderer designed to be used with immutable data structures,178,8,teropa,Tero Parviainen,User,"Helsinki, Finland",522
irecord,ericelliott/irecord,JavaScript,An immutable store that exposes an RxJS observable. Great for React.,178,9,ericelliott,Eric Elliott,User,"San Francisco, California",766
personify.js,PersonifyJS/personify.js,JavaScript,An open source JS library leveraging IBM Watson and Twitter APIs,178,12,PersonifyJS,,Organization,,178
bee-queue,LewisJEllis/bee-queue,JavaScript,"A simple, fast, robust job/task queue for Node.js, backed by Redis.",178,7,LewisJEllis,Lewis J Ellis,User,"Mountain View, CA",178
nyc,bcoe/nyc,JavaScript,a code coverage tool that works well with subprocesses.,177,15,bcoe,Benjamin E. Coe,User,Oakland,496
avsc,mtth/avsc,JavaScript,Blazingly fast serialization :zap:,177,11,mtth,Matthieu Monsch,User,,177
react-stockcharts,rrag/react-stockcharts,JavaScript,Highly customizable stock charts with ReactJS and d3,177,47,rrag,Ragu Ramaswamy,User,"Chicago, IL",177
kiddopaint,vikrum/kiddopaint,JavaScript,Kiddo Paint,177,10,vikrum,Vikrum Nijjar,User,The Bay is in the Area,177
npmrank,anvaka/npmrank,JavaScript,npm dependencies graph metrics,177,5,anvaka,Andrei Kashcha,User,Seattle ,567
redux-localstorage,elgerlambert/redux-localstorage,JavaScript,Store enhancer that syncs (a subset) of your Redux store state to localstorage.,177,19,elgerlambert,Elger Lambert,User,,177
redux-optimist,ForbesLindesay/redux-optimist,JavaScript,Optimistically apply actions that can be later commited or reverted.,177,5,ForbesLindesay,Forbes Lindesay,User,,177
sonar.js,mandatoryprogrammer/sonar.js,JavaScript,A framework for identifying and launching exploits against internal network hosts. Works via WebRTC IP enumeration combined with WebSockets and external resource fingerprinting.,177,21,mandatoryprogrammer,Matthew Bryant,User,"San Francisco, CA",177
debug-http,floatdrop/debug-http,JavaScript,Debug HTTP/HTTPS requests in Node.js,176,3,floatdrop,Vsevolod Strukchinsky,User,"Russia, Yekaterinburg",176
Tab-Groups,Quicksaver/Tab-Groups,JavaScript,Reimplementation of Firefox Tab Groups as an add-on.,176,10,Quicksaver,Luís Miguel,User,Portugal,176
React-Spreadsheet-Component,felixrieseberg/React-Spreadsheet-Component,JavaScript,:clipboard: Spreadsheet Component for ReactJS,176,10,felixrieseberg,Felix Rieseberg,User,San Francisco,735
Essence,PearlVentures/Essence,JavaScript,Essence - The Essential Material Design Framework,176,27,PearlVentures,Pearl Ventures,Organization,,176
node-prelaunch,mailgun/node-prelaunch,JavaScript,A Mailgun powered landing page to capture early sign ups,176,14,mailgun,Mailgun Team,Organization,"San Francisco, USA",2278
react-bootstrap-table,AllenFang/react-bootstrap-table,JavaScript,It's a react table for bootstrap,175,66,AllenFang,AllenFang,User,Taiwan,175
ForoneAdministrator,ForoneTech/ForoneAdministrator,JavaScript,基于Laravel5.1封装的自带多级权限管理的后台管理系统,支持手机和PC端访问,175,38,ForoneTech,,Organization,,286
emoji-picker,one-signal/emoji-picker,JavaScript,Add a slick emoji selector to input fields and textareas on your website.,175,19,one-signal,OneSignal,Organization,"Silicon Valley, CA",175
h5pal,LiuJi-Jim/h5pal,JavaScript,A game,174,22,LiuJi-Jim,Liu Ji,User,"Shenzhen, China",174
webpack-require,petehunt/webpack-require,JavaScript,,174,2,petehunt,Pete Hunt,User,"San Francisco, CA",1621
ReactNative-PropertyFinder,ColinEberhardt/ReactNative-PropertyFinder,JavaScript,A property finder application written using React Native,174,46,ColinEberhardt,Colin Eberhardt,User,"Newcastle, UK",319
DatabaseStack,unruledboy/DatabaseStack,JavaScript,"database technology stack, including MS SQL Server, Azure etc.",174,61,unruledboy,Wilson Chen,User,"Sydney, Australia",1220
GacJS,vczh-libraries/GacJS,JavaScript,Running GacUI in Browsers!,173,44,vczh-libraries,Vczh Libraries,Organization,,515
function-plot,maurizzzio/function-plot,JavaScript,2d function plotter on steroids!,172,6,maurizzzio,Mauricio Poppe,User,Bolivia,684
vscode-docs,Microsoft/vscode-docs,JavaScript,Public documentation for Visual Studio Code,172,100,Microsoft,Microsoft,Organization,"Redmond, WA",23867
superviews.js,davidjamesstone/superviews.js,JavaScript,Template engine targeting incremental-dom,172,4,davidjamesstone,,User,,172
npm-run-all,mysticatea/npm-run-all,JavaScript,A CLI tool to run multiple npm-scripts in parallel or sequential.,172,6,mysticatea,Toru Nagashima,User,Japan,172
paths,jxnblk/paths,JavaScript,Build and edit SVGs in the browser,172,11,jxnblk,Brent Jackson,User,New York City,1071
sideshow,mieky/sideshow,JavaScript,A minimalistic dashboard-as-a-service,171,5,mieky,Mike Arvela,User,"Tampere, Finland",171
JetSetter,msavin/JetSetter,JavaScript,Visual Get/Set Tool for Meteor Session Variables,171,2,msavin,Max Savin,User,New York,832
servo-shell,glennw/servo-shell,JavaScript,Proof of concept HTML/CSS/JS browser UI for Servo ,171,12,glennw,Glenn Watson,User,Brisbane,171
intence,asvd/intence,JavaScript,brand new way of scrolling indicator,171,7,asvd,asvd,User,St.Petersburg | Munich,1229
yascmf,douyasi/yascmf,JavaScript,芽丝内容管理框架,基于Laravel 5 (5.1LTS )实现的内容管理框架,博客系统,Laravel 5 Blog,171,75,douyasi,豆芽丝,Organization,Shanghai,171
rzJSFundamentals,rzProjects/rzJSFundamentals,JavaScript,Javascript cheat sheet. Meant to be something for me to look up more quickly than Mozilla's Javascript docs.,170,13,rzProjects,Brandon,User,"Los Angeles, CA",170
eslint-config-google,google/eslint-config-google,JavaScript,ESLint shareable config for the Google JavaScript style guide,170,6,google,Google,Organization,,70104
den,asamiller/den,JavaScript,iPhone app built with React Native for viewing houses for sale in the Northwest,170,37,asamiller,Asa Miller,User,"Portland, Oregon",170
Electron-React-Boilerplate,airtoxin/Electron-React-Boilerplate,JavaScript,Electron(Atom-Shell) app using React.js,170,32,airtoxin,Ryoji Ishii,User,Tokyo,170
es6katas.org,tddbin/es6katas.org,JavaScript,Summary of all #es6katats,169,17,tddbin,TDDbin,User,online,169
d3kit,twitter/d3kit,JavaScript,D3Kit is a set tools to speed D3 related project development,169,13,twitter,"Twitter, Inc.",Organization,"San Francisco, CA",7027
react-components,dataminr/react-components,JavaScript,,169,10,dataminr,Dataminr,Organization,NYC,169
simple-serviceworker-tutorial,jakearchibald/simple-serviceworker-tutorial,JavaScript,"A really simple ServiceWorker example, designed to be an interactive introduction to ServiceWorker",169,15,jakearchibald,Jake Archibald,User,,457
CCC-TV,aus-der-Technik/CCC-TV,JavaScript,Wide variety of video and audio material distributed by the Chaos Computer Club provided in the most comfortable way of consuming,169,19,aus-der-Technik,aus der Technik - Simon & Simon GbR,Organization,Offenbach am Main / Germany,169
fluct,fluct/fluct,JavaScript,A framework to build server-less web applications using Lambda and API Gateway.,168,16,fluct,,Organization,,168
adblock-to-bitcoin,owocki/adblock-to-bitcoin,JavaScript,A project that turns ads into bitcoin donation solicitations when adblock is enabled,168,5,owocki,Kevin Owocki,User,"Boulder, CO",168
pointgrid,47deg/pointgrid,JavaScript,Designing in Sketch for any screen size,168,3,47deg,47 Degrees,Organization,"Seattle, WA",168
angular2-the-new-horizon-sample,auth0/angular2-the-new-horizon-sample,JavaScript,Sample project for Angular 2: The new horizon talk at jQuerySF,168,10,auth0,Auth0,Organization,Seattle,1074
eslint_d.js,mantoni/eslint_d.js,JavaScript,Makes eslint the fastest linter on the planet,168,8,mantoni,Maximilian Antoni,User,"Zürich, Switzerland",168
async-props,rackt/async-props,JavaScript,Co-located data loading for React Router,168,15,rackt,,Organization,,17451
react-dragula,bevacqua/react-dragula,JavaScript,:ok_hand: Drag and drop so simple it hurts,168,10,bevacqua,Nicolás Bevacqua,User,https://twitter.com/nzgb,20409
react-dock,alexkuz/react-dock,JavaScript,Resizable dockable react component,167,8,alexkuz,Alexander Kuznetsov,User,,303
reactabular,bebraw/reactabular,JavaScript,Spectacular tables for React.js (MIT),167,40,bebraw,Juho Vepsäläinen,User,"Jyväskylä, Finland",167
f,casualjs/f,JavaScript,Native versions of Haskell functions according to JavaScript ES6 standards.,167,4,casualjs,,Organization,,167
nodejs-web-jade-scaffold,rodrigogs/nodejs-web-jade-scaffold,JavaScript,"Web application featuring Node.js, Express, Jade, Passport, MongoDB and Bootstrap",167,7,rodrigogs,Rodrigo Gomes da Silva,User,"Campo Bom, RS, Brasil",167
strips,primaryobjects/strips,JavaScript,AI Planning with STRIPS and PDDL in Node.js,166,4,primaryobjects,Kory Becker,User,NJ,166
rocky,h2non/rocky,JavaScript,"Full-featured, pluggable, general purpose HTTP and WebSocket proxy for node.js",166,8,h2non,Tomás Aparicio,User,"Dublin, Ireland",3103
upnext,ptgamr/upnext,JavaScript,Chrome Extension for streaming music from SoundCloud & YouTube,166,46,ptgamr,Anh Trinh,User,"Hanoi, Vietnam",166
webtorrentapp,alexeisavca/webtorrentapp,JavaScript,Webtorrent App,166,8,alexeisavca,Alexei Savca,User,"Chișinău, Republic of Moldova",166
ajv,epoberezkin/ajv,JavaScript,The fastest JSON schema Validator,166,17,epoberezkin,Evgeny Poberezkin,User,"London, UK",166
react-motion-ui-pack,souporserious/react-motion-ui-pack,JavaScript,Wrapper component around React Motion for easier UI transitions,166,6,souporserious,Travis Arnold,User,"San Marcos, CA",166
Node.js-Tutorial,MartinChavez/Node.js-Tutorial,JavaScript,Node.js: Tutorial,166,23,MartinChavez,Martin Chavez Aguilar,User,"Seattle, WA",778
new-relic-boxes,bizzabo/new-relic-boxes,JavaScript,,166,14,bizzabo,Bizzabo,Organization,,166
react-context,casesandberg/react-context,JavaScript,Helpful Properties with React Context,166,6,casesandberg,case,User,,2732
react-validation-mixin,jurassix/react-validation-mixin,JavaScript,Simple validation mixin (HoC) for React.,166,23,jurassix,Clint Ayres,User,Atlanta,166
PureSlider,djyde/PureSlider,JavaScript,"A lightweight, no-dependency image slider library",166,9,djyde,Randy,User,"Guangzhou, China",1640
react-worker-dom,web-perf/react-worker-dom,JavaScript,Experiments to see the advantages of using Web Workers to Render React Virtual DOM,165,8,web-perf,Web Performance,Organization,,165
PowderPlayer,jaruba/PowderPlayer,JavaScript,Hybrid between a Torrent Client and a Player (torrent streaming) - ,165,25,jaruba,Alexandru Branza,User,Romania,165
HealthClinic.biz,Microsoft/HealthClinic.biz,JavaScript,"The samples contained in this repo are used to present an end-to-end demo scenario based on a fictitious B2B and multitenant system, named “HealthClinic.biz” that provides different websites, mobile apps, desktop apps, wearable apps, and services running on the latest Microsoft and open technologies aligned with announcements to showcase during the Connect(); 2015 event.
The current published version works with Visual Studio 2015 Update 1 RC bits and ASP.NET 5.0 Beta 8. The final version used at Connect(); 2015 will be published soon.",165,61,Microsoft,Microsoft,Organization,"Redmond, WA",23867
react-jss,jsstyles/react-jss,JavaScript,Inject and mount jss styles in react components.,165,11,jsstyles,Javascript Style Sheets,Organization,,165
babel-plugin-rewire,speedskater/babel-plugin-rewire,JavaScript,A babel plugin adding the ability to rewire module dependencies. This enables to mock modules for testing purposes.,164,27,speedskater,,User,,164
react-native-refresher,syrusakbary/react-native-refresher,JavaScript,A pull to refresh ListView for React Native completely written in js.,164,14,syrusakbary,Syrus Akbary,User,"San Francisco, CA",164
react-native-modalbox,maxs15/react-native-modalbox,JavaScript,A <Modal/> component for react-native,164,17,maxs15,Maxime Mezrahi,User,Miami,164
kickstart-hugeapp,thereactivestack/kickstart-hugeapp,JavaScript,Kickstart a huge app fast!,164,30,thereactivestack,The Reactive Stack,Organization,,653
nutella-scrape,karissa/nutella-scrape,JavaScript,:chocolate_bar: learn to scrape the web with Node.js -- it tastes like chocolate,164,6,karissa,Karissa McKelvey,User,"Oakland, CA",164
react-native-htmlview,jsdf/react-native-htmlview,JavaScript,A React Native component which renders HTML content as native views,164,21,jsdf,James Friend,User,"Melbourne, Australia",771
redux-requests,idolize/redux-requests,JavaScript,Manages in-flight requests with a Redux reducer to avoid issuing duplicate requests https://idolize.github.io/redux-requests,163,2,idolize,David Idol,User,"Los Angeles, CA",163
redux-immutable,gajus/redux-immutable,JavaScript,Streamlines use of Immutable.js with Redux reducers.,163,7,gajus,Gajus Kuizinas,User,London,1385
vulndb,Snyk/vulndb,JavaScript,Snyk's public vulnerability database,163,12,Snyk,Snyk,Organization,London/Israel,282
jQuery.imgx,nathco/jQuery.imgx,JavaScript,Extension for serving Hi-Res images on desktop / mobile,163,7,nathco,Nathan Rutzky,User,United States,1725
stilr,kodyl/stilr,JavaScript,Encapsulated styling for your javascript components with all the power of javascript and CSS combined.,163,12,kodyl,kodyl,Organization,"Aarhus, Denmark",163
webpack-css-example,bensmithett/webpack-css-example,JavaScript,Example repo showing a webpack CSS build,163,23,bensmithett,Ben Smithett,User,Melbourne,163
systemjs-seed,lookfirst/systemjs-seed,JavaScript,SystemJS + ES6 + Angular + React,163,23,lookfirst,Jon Stevens,User,San Francisco,163
embark-framework,iurimatias/embark-framework,JavaScript,Framework for Ethereum DApps,163,39,iurimatias,Iuri Matias,User,Canada,163
learning-graphql,mugli/learning-graphql,JavaScript,An attempt to learn GraphQL,163,19,mugli,Mehdi Hasan Khan,User,"Dhaka, Bangladesh",163
popcorn-desktop,popcorn-official/popcorn-desktop,JavaScript,Mirror of the Popcorn Time for Desktop repository on http://git.popcorntime.io/. We do not accept pull requests here.,162,177,popcorn-official,Popcorn Time,Organization,All around the world,162
fakeIndexedDB,dumbmatter/fakeIndexedDB,JavaScript,A pure JS in-memory implementation of the IndexedDB API,162,8,dumbmatter,Jeremy Scheff,User,"NJ, USA",162
angular-es6,michaelbromley/angular-es6,JavaScript,An experiment in using ES6 features with AngularJS 1.x,162,26,michaelbromley,Michael Bromley,User,"Vienna, Austria",382
ionic-conference-app,driftyco/ionic-conference-app,JavaScript,A conference app built with Ionic 2 to demonstrate Ionic 2,162,55,driftyco,Ionic,Organization,The internet,271
generator-angular2,swirlycheetah/generator-angular2,JavaScript,A Yeoman Generator to create Angular2 apps right now.,162,21,swirlycheetah,Chris Wheatley,User,"York, UK",162
antcolony,keenwon/antcolony,JavaScript,:underage: Nodejs实现的一个磁力链接爬虫 http://findit.keenwon.com (原域名http://findit.so ),161,79,keenwon,Keenwon,User,"Shanghai, China",161
express-happiness,andreas-trad/express-happiness,JavaScript,express wrapper framework,161,3,andreas-trad,Andreas Trantidis,User,Thessaloniki / Greece,161
react-joyride,gilbarbara/react-joyride,JavaScript,Create walkthroughs and guided tours for your ReactJS apps. Now with standalone tooltips!,161,7,gilbarbara,Gil Barbara,User,"São Paulo, BR",2683
mixwith.js,justinfagnani/mixwith.js,JavaScript,A mixin library for ES6,161,1,justinfagnani,Justin Fagnani,User,,161
Mata,wilbertliu/Mata,JavaScript,Chrome extension that makes reading the web friendly for your eyes,161,14,wilbertliu,Wilbert Liu,User,Indonesia,161
grab_packt,draconar/grab_packt,JavaScript,"Grab a book a day for free, from https://www.packtpub.com/packt/offers/free-learning",160,21,draconar,"Fabio Draco"" Fonseca""",User,,160
Tabelog-HonestStars,miyagawa/Tabelog-HonestStars,JavaScript,Make Tabelog Stars more honest,160,4,miyagawa,Tatsuhiko Miyagawa,User,"San Francisco, CA",160
personality-insights-nodejs,watson-developer-cloud/personality-insights-nodejs,JavaScript,:bar_chart:Sample Nodejs Application for the IBM Watson Personality Insights Service,160,122,watson-developer-cloud,Watson Developer Cloud,Organization,USA,431
inkjet,gchudnov/inkjet,JavaScript,"JPEG-image decoding, encoding & EXIF reading library for a browser and node.js",160,3,gchudnov,Grigoriy Chudnov,User,,160
steamSummerMinigame,mouseas/steamSummerMinigame,JavaScript,Steam Summer Sale 2015 - Auto-play Optimizer,160,274,mouseas,Martin,User,Utah,160
responsible,DavidWells/responsible,JavaScript,Responsible.js - Give visitors the choice of what mobile experience they want. Adds Toggle for mobile to desktop switching without page reloads,160,18,DavidWells,David Wells,User,San Francisco,160
generator-sails-rest-api,ghaiklor/generator-sails-rest-api,JavaScript,Yeoman generator for scaffolding Sails REST API with predefined features,160,25,ghaiklor,Eugene Obrezkov,User,"Kirovohrad, Ukraine",160
pixelmatch,mapbox/pixelmatch,JavaScript,"The smallest, simplest and fastest JavaScript pixel-level image comparison library",160,5,mapbox,Mapbox,Organization,Washington DC,993
cancan,vdemedes/cancan,JavaScript,Pleasant authorization library for Node.js,160,9,vdemedes,Vadim Demedes,User,,593
DotNetStack,unruledboy/DotNetStack,JavaScript,".NET technology stack, including frameworks, platforms, IDE, SDKs, desktop, web, SOA, data, productivity, components, tools etc",159,56,unruledboy,Wilson Chen,User,"Sydney, Australia",1220
redux-tcomb,gcanti/redux-tcomb,JavaScript,Immutable and type-checked state and actions for Redux,159,3,gcanti,Giulio Canti,User,"Milan, Italy",792
meteor-rest,stubailo/meteor-rest,JavaScript,simple:rest - automatically make your Meteor app accessible over HTTP and DDP alike,159,25,stubailo,Sashko Stubailo,User,San Francisco,159
ipp-printer,watson/ipp-printer,JavaScript,An IPP printer written in Node.js,159,5,watson,Thomas Watson Steen,User,"Copenhagen, Denmark",159
react-highcharts,kirjs/react-highcharts,JavaScript,react-highcharts,159,36,kirjs,Kirill Cherkashin,User,,159
hpp,analog-nico/hpp,JavaScript,Express middleware to protect against HTTP Parameter Pollution attacks,159,6,analog-nico,Nicolai Kamenzky,User,,159
react-universal,cdebotton/react-universal,JavaScript,"React, redux, react-router, graphql, postgres, koa, universal starter-kit",159,16,cdebotton,Christian de Botton,User,"New York, NY",159
Angular2-ES6-Starter,DanWahlin/Angular2-ES6-Starter,JavaScript,An Angular 2 starter project that uses ES6.,159,36,DanWahlin,Dan Wahlin,User,Arizona,410
inspector,jakeouellette/inspector,JavaScript,"Gradle build inspector, clarifies what's going on inside your Gradle build. Shows change in your file system during a build.",158,5,jakeouellette,Jake Ouellette,User,"Boston, MA",158
diffhtml,tbranyen/diffhtml,JavaScript,DOM Diffing library and prollyfill,158,11,tbranyen,Tim Branyen,User,"San Francisco, CA",158
TabAttack,JannesMeyer/TabAttack,JavaScript,Advanced Tab management for Chrome,158,6,JannesMeyer,Jannes Meyer,User,"London, UK",158
backend-with-webpack,jlongster/backend-with-webpack,JavaScript,A simple server using webpack as a build tool,158,21,jlongster,James Long,User,"Richmond, VA",1251
fstorm,leeluolee/fstorm,JavaScript,incredibly fast & reliable filewriter ,158,3,leeluolee,ZhengHaibo,User,china,158
voyager,vega/voyager,JavaScript,Visualization browser for open-ended data exploration,158,25,vega,Vega,Organization,,425
react-onclickoutside,Pomax/react-onclickoutside,JavaScript,An onClickOutside mixin for React components,158,47,Pomax,Mike Kamermans,User,"Vancouver, Canada",158
lodjs,yanhaijing/lodjs,JavaScript,JavaScript模块加载器,基于AMD。迄今为止,对AMD理解最好的实现。,158,25,yanhaijing,颜海镜,User,"Beijing,China",290
canvas-nest.js,aTool-org/canvas-nest.js,JavaScript,"Interactive Particle / Nest System With JavaScript and Canvas, Do not Depends on jQuery. ",157,62,aTool-org,在线工具,Organization,Hangzhou,157
immutable-css,johnotander/immutable-css,JavaScript,A CSS linter for immutable selectors.,157,2,johnotander,John Otander,User,"Boise, Idaho",157
react-native-store,thewei/react-native-store,JavaScript,A simple database base on react-native AsyncStorage.,157,30,thewei,thewei,User,Guangzhou,157
elegant-spinner,sindresorhus/elegant-spinner,JavaScript,Elegant spinner for interactive CLI apps,157,1,sindresorhus,Sindre Sorhus,User,✈,11371
react-notification,pburtchaell/react-notification,JavaScript,Snackbar notifications for React,157,24,pburtchaell,Patrick Burtchaell,User,New Orleans,314
redux-promise-middleware,pburtchaell/redux-promise-middleware,JavaScript,Redux middleware for resolving and rejecting promises with or without optimistic updates,157,12,pburtchaell,Patrick Burtchaell,User,New Orleans,314
brackets-snippets,chuyik/brackets-snippets,JavaScript,"Imitate Sublime Text's behavior of snippets, and bring it to Brackets.",157,31,chuyik,Edward Chu,User,"Canton, China",157
NtSeq,keithwhor/NtSeq,JavaScript,JavaScript (node + browser) bioinformatics library for nucleotide sequence manipulation and analysis.,157,12,keithwhor,Keith Horwood,User,"San Francisco, CA",509
agar.io-bot,heyitsleo/agar.io-bot,JavaScript,Agar.io Bot Framework for Bot Developers,157,87,heyitsleo,Leo,User,,157
component-inspector,lahmatiy/component-inspector,JavaScript,Component DOM inspector,157,7,lahmatiy,Roman Dvornov,User,"Moscow, Russia",157
ajax,fdaciuk/ajax,JavaScript,Ajax module in Vanilla JS,157,22,fdaciuk,Fernando Daciuk,User,"Joinville, SC, Brazil",157
sprity,sprity/sprity,JavaScript,A image sprite generator,156,16,sprity,,Organization,,156
react-sidebar,balloob/react-sidebar,JavaScript,A sidebar component for React,156,25,balloob,Paulus Schoutsen,User,"San Diego, California",156
antwar,antwarjs/antwar,JavaScript,A static site generator built with React and Webpack.,156,5,antwarjs,Antwar,Organization,,156
hublin,linagora/hublin,JavaScript,An easy and free video conference service #webrtc,156,20,linagora,Linagora,Organization,France,156
dropchop,cugos/dropchop,JavaScript,:fork_and_knife: browser-based spatial operations @ ,156,63,cugos,CUGOS,Organization,Cascadia,156
ng-classy,eaze/ng-classy,JavaScript,Use Angular 1 and ES6+ with ease.,156,6,eaze,Eaze,Organization,San Francisco,156
mist,ethereum/mist,JavaScript,Mist browser,155,34,ethereum,,Organization,,155
combinatorics.js,devanp92/combinatorics.js,JavaScript,Combinatorics Javascript Library,155,2,devanp92,Devan Patel,User,,155
learn-generators,isRuslan/learn-generators,JavaScript,JavaScript ES(6|2015) generators workshopper. Learn in practice. :metal:,155,23,isRuslan,Ruslan Ismagilov,User,"Russia, St. Petersburg",313
preact,developit/preact,JavaScript,Tiny & fast Component-based Virtual DOM framework.,155,6,developit,Jason Miller,User,"Ontario, Canada",155
react-unit,pzavolinsky/react-unit,JavaScript,Lightweight unit test library for ReactJS,154,8,pzavolinsky,Patricio Zavolinsky,User,,154
evangelism,nodejs/evangelism,JavaScript,Letting the world know how awesome Node.js is and how to get involved!,154,22,nodejs,,Organization,,3323
nes,hapijs/nes,JavaScript,WebSocket adapter plugin for hapi routes,154,17,hapijs,hapi.js,Organization,,399
angular-systemjs-seed,Swimlane/angular-systemjs-seed,JavaScript,AngularJS + SystemJS Seed,154,25,Swimlane,Swimlane,Organization,,416
react-ive-meteor,AdamBrodzinski/react-ive-meteor,JavaScript,Demo app of React and Meteor using a social feed,154,30,AdamBrodzinski,Adam Brodzinski,User,"Palo Alto, CA",154
h264ify,erkserkserks/h264ify,JavaScript,A Chrome extension that makes YouTube stream H.264 videos instead of VP8/VP9 videos,154,17,erkserkserks,,User,California,154
prod-module-boilerplate,cloverfield-tools/prod-module-boilerplate,JavaScript,An npm `scripts` boilerplate for modules intended for production.,154,16,cloverfield-tools,,Organization,,801
react-i13n,yahoo/react-i13n,JavaScript,"A performant, scalable and pluggable approach to instrumenting your React application.",154,11,yahoo,Yahoo Inc.,Organization,"Sunnyvale, California",10798
html-designer,swmitra/html-designer,JavaScript,"*NOW WITH RESPONSIVE DESIGN TOOLS AND FLUID GRID* An extension for popular opensource editor Brackets , to design and customize html pages/applications along with transition and key-frame CSS3 animation support. It also supports creation of design snippets or bookmark fragments from existing design under custom tagging section in widget toolbox to facilitate reuse later. YouTube channel for Brackets Designer - ",154,19,swmitra,Swagatam Mitra,User,Bangalore,154
generator-redux,banderson/generator-redux,JavaScript,CLI tools for Redux: next-gen functional Flux/React with devtools,153,22,banderson,Ben Anderson,User,"Boston, MA",153
parallax,GianlucaGuarini/parallax,JavaScript,ES6/ES2015 HW accelerated scrollable images parallax,153,6,GianlucaGuarini,Gianluca Guarini,User,Zürich - Switzerland,153
investigator,risq/investigator,JavaScript,Interactive and asynchronous logging tool for Node.js. An easier way to log & debug complex requests directly from the command line. Still experimental !,153,1,risq,Valentin Ledrapier,User,France,153
react-swipe-views,damusnet/react-swipe-views,JavaScript,A React Component for binded Tabs and Swipeable Views,153,20,damusnet,Damien Varron,User,"Bordeaux, France",153
typed-immutable,Gozala/typed-immutable,JavaScript,Immutable and structurally typed data,153,6,Gozala,Irakli Gozalishvili,User,"Portland, OR, United States",153
require1k,Stuk/require1k,JavaScript,"A minimal, and yet practically useful, CommonJS/Node.js `require` module loader for the browser in under 1000 bytes",153,15,Stuk,Stuart Knightley,User,"Bay Area, CA",153
expressiso,jcreamer898/expressiso,JavaScript,A quick starter for building an Isomorphic App with Express.js and React.js,153,22,jcreamer898,,User,,153
ember-infinity,hhff/ember-infinity,JavaScript,"Simple, flexible Infinite Scroll for Ember CLI Apps.",153,57,hhff,Hugh Francis,User,,153
match-when,FGRibreau/match-when,JavaScript,Pattern matching for modern JavaScript,153,7,FGRibreau,Francois-Guillaume Ribreau,User,"Nantes, France",153
react-ui-tree,pqx/react-ui-tree,JavaScript,React tree component,152,23,pqx,pqx Limited,Organization,,152
frodo,leemalmac/frodo,JavaScript,Rails-like app generator for Node/Express,152,4,leemalmac,Nodari Lipartiya,User,"Moscow, Russia",152
kickstart-simple,thereactivestack/kickstart-simple,JavaScript,Kickstart a simple project fast!,152,24,thereactivestack,The Reactive Stack,Organization,,653
queuer.js,RobinBressan/queuer.js,JavaScript,Run queue of tasks in JavaScript easily,152,1,RobinBressan,Robin Bressan,User,,152
realm,acdlite/realm,JavaScript,,151,3,acdlite,Andrew Clark,User,"Redwood City, CA",4345
pcap-analyzer,le4f/pcap-analyzer,JavaScript,online pcap forensic,151,77,le4f,Le4F,User,,151
react-immutable-proptypes,HurricaneJames/react-immutable-proptypes,JavaScript,PropType validators that work with Immutable.js.,151,10,HurricaneJames,James Burnett,User,"Orlando, FL",151
PopcornTV,OstlerDev/PopcornTV,JavaScript,Movies and TV shows for all! https://popcorntv.io Like what we are doing? Consider Donating: https://salt.bountysource.com/teams/popcorntv,151,54,OstlerDev,Skylar Ostler,User,"Salt Lake City, Utah",151
redbox-react,KeywordBrain/redbox-react,JavaScript,A redbox (rsod) component to display your errors.,151,32,KeywordBrain,KeywordBrain,Organization,,151
Ouch,quorrajs/Ouch,JavaScript,NodeJS errors for cool kids,150,1,quorrajs,Quorra,Organization,India,150
My-FreeCodeCamp-Code,Rafase282/My-FreeCodeCamp-Code,JavaScript,My code from the bootcamp.,150,24,Rafase282,Rafael J. Rodriguez,User,"Bronx, NY",150
ngMeditor,icattlecoder/ngMeditor,JavaScript,Medium style editor for AngularJS,150,15,icattlecoder,wangming,User,ShangHai,150
web-audio-school,mmckegg/web-audio-school,JavaScript,An intro to the Web Audio API by a series of self-guided workshops.,150,18,mmckegg,Matt McKegg,User,"Wellington, New Zealand",150
megamanjs,pomle/megamanjs,JavaScript,An attempt to remake Megaman 2 in JavaScript with the end goal being a reusable platform engine.,149,5,pomle,Pontus Persson,User,Stockholm,149
html5-youtube.js,ginpei/html5-youtube.js,JavaScript,YouTube Player API wrapper like HTML5 video API.,149,11,ginpei,Ginpei,User,"Vancouver, Canada",149
ember-intl,yahoo/ember-intl,JavaScript,Internationalization support for Ember,149,29,yahoo,Yahoo Inc.,Organization,"Sunnyvale, California",10798
speck,wwwtyro/speck,JavaScript,Browser-based WebGL molecule renderer with the goal of producing figures that are as attractive as they are practical.,149,9,wwwtyro,Rye Terrell,User,,149
font_compare,s9w/font_compare,JavaScript,Programming font comparison,149,6,s9w,Sebastian Werhausen,User,"Dortmund, Germany",149
ts-loader,TypeStrong/ts-loader,JavaScript,TypeScript loader for webpack,148,24,TypeStrong,TypeStrong,Organization,,148
wat,dthree/wat,JavaScript,"Instant, central, community-built docs",148,9,dthree,dc,User,Los Angeles,4088
lasso,AesopInteractive/lasso,JavaScript,Code Repository for Editus (formerly Lasso) Commercial Plugin,148,27,AesopInteractive,Aesop Interactive,Organization,Houston,148
mdDataTable,iamisti/mdDataTable,JavaScript,Angular data table complete implementation of google material design based on Angular Material components.,148,24,iamisti,Istvan Fodor,User,"Zurich, Switzerland",148
quantumui,quantumui/quantumui,JavaScript,The most powerful NATIVE AngularJS and Bootstrap CSS based UI components make developer life easy.,148,31,quantumui,QuantumUI,Organization,Turkey,148
coldwar,simonswain/coldwar,JavaScript,Cold War,148,29,simonswain,Simon Swain,User,Sydney,148
yarsk,bradleyboy/yarsk,JavaScript,Yet Another React Starter Kit,148,26,bradleyboy,Brad Daily,User,"Brooklyn, NY",148
inferno,trueadm/inferno,JavaScript,"A very fast, light-weight, isomorphic component building framework",147,9,trueadm,Dominic Gannaway,User,United Kingdom,630
react-stdio,mjackson/react-stdio,JavaScript,Render React.js components on any backend,147,0,mjackson,Michael Jackson,User,California,147
wfh-ninja,christinang89/wfh-ninja,JavaScript,Single page app for displaying quotes with upvote and downvote capabilities,147,36,christinang89,Christina Ng,User,,147
scans,cloudsploit/scans,JavaScript,AWS security scanning checks,147,21,cloudsploit,CloudSploit,Organization,,147
is-progressive,sindresorhus/is-progressive,JavaScript,Check if JPEG images are progressive,146,4,sindresorhus,Sindre Sorhus,User,✈,11371
throw.js,kbariotis/throw.js,JavaScript,HTTP Error collection to use in your next REST API.,146,2,kbariotis,Kostas Bariotis,User,"Thessaloniki, Hellas",146
httpsnippet,Mashape/httpsnippet,JavaScript,HTTP Request snippet generator for many languages & libraries,146,27,Mashape,Mashape,Organization,San Francisco,329
twitch-master,twitchinstallsarchlinux/twitch-master,JavaScript,"Read input from Twitch, and send keys to other programs",146,25,twitchinstallsarchlinux,,Organization,,146
derivablejs,ds300/derivablejs,JavaScript,Functional Reactive State for JavaScript and TypeScript,146,4,ds300,David Sheldrick,User,"Brighton, England",146
valchemist,prahladyeri/valchemist,JavaScript,Seamlessly build database models in an HTML canvas!,146,10,prahladyeri,Prahlad Yeri,User,India,146
angular-architecture,comsysto/angular-architecture,JavaScript,,146,27,comsysto,comSysto,Organization,"Munich, Germany",146
kill-tabs,sindresorhus/kill-tabs,JavaScript,"Kill all Chrome tabs to improve performance, decrease battery usage, and save memory",145,5,sindresorhus,Sindre Sorhus,User,✈,11371
react-native-css,sabeurthabti/react-native-css,JavaScript,Style React-Native components with css and built in support for SASS,145,13,sabeurthabti,Sabeur Thabti,User,London,145
DoraCMS,doramart/DoraCMS,JavaScript,DoraCMS是基于Nodejs+express+mongodb编写的一套内容管理系统,结构简单,较目前一些开源的cms,doracms易于拓展,特别适合前端开发工程师做二次开发。,145,64,doramart,doramart,User,广东深圳,145
spooky-react,accommodavid/spooky-react,JavaScript,":skull: Unopinionated skeleton for front-end application building ft. React, ES2015, Browserify",145,7,accommodavid,David van Gelder de Neufville,User,space forest,145
UnitGraph,keithwhor/UnitGraph,JavaScript,Lightweight Graph Library for Node 4.x,145,15,keithwhor,Keith Horwood,User,"San Francisco, CA",509
stream-http,jhiesey/stream-http,JavaScript,Streaming node http in the browser,145,13,jhiesey,John Hiesey,User,,284
autocode,crystal/autocode,JavaScript,"hackable, spec-driven code generator",145,10,crystal,Autocode,Organization,"Austin, TX",145
ganchai,openproject/ganchai,JavaScript, 干柴(客户端、服务端),145,31,openproject,冯建,User,,529
AngularIn20TypeScript,DanWahlin/AngularIn20TypeScript,JavaScript,Simple AngularJS Applications with TypeScript,145,40,DanWahlin,Dan Wahlin,User,Arizona,410
log-update,sindresorhus/log-update,JavaScript,"Log by overwriting the previous output in the terminal. Useful for rendering progress bars, animations, etc.",145,2,sindresorhus,Sindre Sorhus,User,✈,11371
redux-voting-client,teropa/redux-voting-client,JavaScript,Client app for the Full-Stack Redux Tutorial,145,23,teropa,Tero Parviainen,User,"Helsinki, Finland",522
MagicMirror,ajwhite/MagicMirror,JavaScript,:crystal_ball: ReactNative smart mirror project,145,8,ajwhite,Atticus White,User,"Boston, MA",145
aws-lambda-redshift-loader,awslabs/aws-lambda-redshift-loader,JavaScript,Amazon Redshift Database Loader implemented in AWS Lambda,144,31,awslabs,Amazon Web Services - Labs,Organization,"Seattle, WA",2991
ionic-timepicker,rajeshwarpatlolla/ionic-timepicker,JavaScript,'ionic-timepicker' bower component for ionic framework applications,144,59,rajeshwarpatlolla,Rajeshwar,User,Hyderabad,396
robe,hiddentao/robe,JavaScript,"MongoDB ODM for Node.js using ES6 generators. Supports schema validation, raw querying, oplog tailing, etc.",144,4,hiddentao,Ramesh Nair,User,"London, Taipei, Global",144
Yarn,InfiniteAmmoInc/Yarn,JavaScript,,144,9,InfiniteAmmoInc,Alexander Holowka,User,Canada,144
slalom,iamralpht/slalom,JavaScript,Declarative touch interactions from linear constraints,144,6,iamralpht,Ralph Thomas,User,"Palo Alto, CA",144
react-tvml,ramitos/react-tvml,JavaScript,React bindings to Apple's TVJS and TVML,144,4,ramitos,Sérgio Ramos,User,"Leiria, Portugal",144
vue-chat,Coffcer/vue-chat,JavaScript,chat example by vue.js + webpack,144,32,Coffcer,岛书,User,ZhuHai,China,144
alt-devtool,goatslacker/alt-devtool,JavaScript,,143,9,goatslacker,Josh Perez,User,"San Jose, CA",261
firefly,python-cn/firefly,JavaScript,A social forum for pythonista,143,48,python-cn,,Organization,,314
ballistic,JeremyMiller/ballistic,JavaScript,"Ballistic tracks investments, assets, debts, and general accounts.",143,11,JeremyMiller,Jeremy Miller,User,Canada,143
nerd-stack,Xantier/nerd-stack,JavaScript,"Hipsterer than MEAN stack. Node.js, Express, React and Database connectivity application skeleton",143,13,Xantier,Jussi Hallila,User,"Dublin, Ireland",143
quick-pomelo,rain1017/quick-pomelo,JavaScript,A Much Better Pomelo Game Server Framework (网易Pomelo框架深度优化版),143,115,rain1017,Yu Xia,User,China,733
jamesrom.github.io,jamesrom/jamesrom.github.io,JavaScript,Monitor /r/thebutton.,142,72,jamesrom,James Romeril,User,,142
walden,meolu/walden,JavaScript,最适合东半球同学使用的文档助手,142,44,meolu,huamanshu,User,,773
babel-angular2-app,shuhei/babel-angular2-app,JavaScript,A skeleton Angular 2 app built with Babel and Browserify.,142,36,shuhei,Shuhei Kagawa,User,"Tokyo, Japan",142
ember-state-services,stefanpenner/ember-state-services,JavaScript,,142,18,stefanpenner,Stefan Penner,User,"San Jose, CA",142
jsx-control-statements,AlexGilleran/jsx-control-statements,JavaScript,Neater If and For for React JSX,142,7,AlexGilleran,Alex Gilleran,User,Sydney,142
ember-twiddle,ember-cli/ember-twiddle,JavaScript,JSFiddle type thing for ember-cli style code,142,40,ember-cli,ember-cli,Organization,,142
step-by-step-frontend,ironhee/step-by-step-frontend,JavaScript,step by step learning about frontend,142,4,ironhee,ChulHee Lee,User,대한민국,142
signalhub,mafintosh/signalhub,JavaScript,Simple signalling server that can be used to coordinate handshaking with webrtc or other fun stuff.,141,15,mafintosh,Mathias Buus,User,"Copenhagen, Denmark",3455
picard-present,jacklenox/picard-present,JavaScript,A presentation theme that uses the REST API,141,17,jacklenox,Jack Lenox,User,"Keswick, UK",141
spring-react-example,winterbe/spring-react-example,JavaScript,Isomorphic Spring Boot React.js Example,141,51,winterbe,Benjamin Winterberg,User,"Hanover, Germany",141
angular-video-bg,kanzelm3/angular-video-bg,JavaScript,An Angular.js YouTube video background player directive that stresses simplicity and performance.,141,16,kanzelm3,Joel Kanzelmeyer,User,"Atlanta, GA",141
stripe-for-gmail,InboxSDK/stripe-for-gmail,JavaScript,A gmail extension that shows customers stripe information alongside the emails they send you,141,4,InboxSDK,InboxSDK,Organization,,141
webpack-bootstrap,chemdemo/webpack-bootstrap,JavaScript,Frontend engineering solution based on webpack and gulp.,141,57,chemdemo,dmyang,User,GuangZhou.China,141
regex-adventure,substack/regex-adventure,JavaScript,learn regular expressions with this educational workshop,140,6,substack,James Halliday,User,"Oakland, California, USA",976
atom-parinfer,oakmac/atom-parinfer,JavaScript,Parinfer for Atom,140,3,oakmac,Chris Oakman,User,"Houston, TX",140
md-chips,B1naryStudio/md-chips,JavaScript,Angular Chips directive following Google Material Design guidelines,140,17,B1naryStudio,Binary Studio,Organization,,140
prot,mattdesl/prot,JavaScript,highly opinionated dev environment [Proof of concept],140,1,mattdesl,Matt DesLauriers,User,Toronto,2798
babel-plugin-closure-elimination,codemix/babel-plugin-closure-elimination,JavaScript,A Babel plugin which eliminates closures from your JavaScript wherever possible.,140,3,codemix,codemix,Organization,"York, UK",745
facebook-chat-api,Schmavery/facebook-chat-api,JavaScript,,140,44,Schmavery,Avery Morin,User,"Seattle, WA",140
nativeShare.js,JefferyWang/nativeShare.js,JavaScript,一个在手机网页端可以直接调用原生分享的js,139,76,JefferyWang,王俊锋,User,"Beijing, China",139
heroku-docker,heroku/heroku-docker,JavaScript,"Build, run and deploy Heroku apps with Docker",139,29,heroku,Heroku,Organization,"San Francisco, CA",1458
loadgo,franverona/loadgo,JavaScript,LoadGo is a JQuery plugin for using your logo as a progress bar.,139,19,franverona,Fran Verona,User,Spain,139
blaze-layout,kadirahq/blaze-layout,JavaScript,Layout Manager for Blaze (works well with Meteor FlowRouter),139,25,kadirahq,KADIRA,Organization,Sri Lanka,432
gulp-purifycss,purifycss/gulp-purifycss,JavaScript,Removed unused CSS with the gulp build tool,139,12,purifycss,PurifyCSS,Organization,,5992
leanote-ios,leanote/leanote-ios,JavaScript,Leanote iOS App http://leanote.org,139,51,leanote,Leanote,Organization,Shanghai,276
BurpKit,allfro/BurpKit,JavaScript,Next-gen BurpSuite penetration testing tool,139,32,allfro,allfro,User,,139
peercloud,jhiesey/peercloud,JavaScript,Serverless websites via WebTorrent,139,8,jhiesey,John Hiesey,User,,284
learn-json-web-tokens,dwyl/learn-json-web-tokens,JavaScript,:closed_lock_with_key: Learn how to use JSON Web Token (JWT) to secure your next Web App! (Example with Tests!!),139,19,dwyl,dwyl - do what you love,Organization,Your Pocket,266
amazeui-touch,amazeui/amazeui-touch,JavaScript,Web Components for mobile devices based on React.,139,33,amazeui,Amaze UI,Organization,"Beijing, China",742
bottle-service,bahmutov/bottle-service,JavaScript,Instant web applications restored from ServiceWorker cache,138,0,bahmutov,Gleb Bahmutov,User,"Boston, MA",138
1-liners,1-liners/1-liners,JavaScript,Functional tools that couldn’t be simpler.,138,8,1-liners,,Organization,,138
How-To-Ask-Questions-The-Smart-Way,ryanhanwu/How-To-Ask-Questions-The-Smart-Way,JavaScript,本文原文由知名Hacker Eric S. Raymond 所撰寫,教你如何正確的提出技術問題並獲得你滿意的答案。,138,41,ryanhanwu,Ryan Wu,User,New York,138
babel-plugin-macros,codemix/babel-plugin-macros,JavaScript,"Hygienic, non-syntactic macros for JavaScript via a Babel plugin.",138,5,codemix,codemix,Organization,"York, UK",745
stateless.js,eugene-eeo/stateless.js,JavaScript,simpler pushstate,138,2,eugene-eeo,Eeo Jun,User,Malaysia,288
react-famous,pilwon/react-famous,JavaScript,React bridge to Famo.us,138,14,pilwon,Pilwon Huh,User,"Toronto, Canada",138
jspm-react,tinkertrain/jspm-react,JavaScript,Configured starter repo to build web apps with React and ES6 modules.,138,21,tinkertrain,Juan Pablo Lomeli Diaz,User,NYC,138
fiveby,dowjones/fiveby,JavaScript,"make selenium tests easier to setup, write, and execute",137,4,dowjones,Dow Jones,Organization,World Wide,137
terminal-slack,evanyeung/terminal-slack,JavaScript,Terminal client for slack,137,14,evanyeung,Evan Yeung,User,,137
node-multispinner,codekirei/node-multispinner,JavaScript,"Multiple, simultaneous, individually controllable spinners for concurrent tasks in Node.js CLI programs",137,3,codekirei,Jacob Blakely,User,,137
general-store,HubSpot/general-store,JavaScript,"Simple, flexible store implementation for Flux. #hubspot-open-source",137,11,HubSpot,HubSpot,Organization,"Cambridge, MA",270
postcss-colorblind,btholt/postcss-colorblind,JavaScript,A PostCSS plugin for seeing your site as a colorblind person may.,137,3,btholt,Brian Holt,User,"San Francisco, CA",137
leanote-ios-rn,leanote/leanote-ios-rn,JavaScript,"Leanote ios app, based on React Native",137,34,leanote,Leanote,Organization,Shanghai,276
patchwork,ssbc/patchwork,JavaScript,p2p social sharing,137,17,ssbc,Secure Scuttlebutt Consortium,Organization,,137
turbine,chute/turbine,JavaScript,Relay-like REST-friendly Immutable-based React data library,137,1,chute,Chute,Organization,"San Francisco, CA",137
phoenix-flux-react,fxg42/phoenix-flux-react,JavaScript,"An experiment with Phoenix Channels, GenEvents, React and Flux.",137,14,fxg42,François-Xavier Guillemette,User,Montreal,137
JGulp,Jeff2Ma/JGulp,JavaScript,利用Gulp 配置的个人前端项目自动化工作流,136,56,Jeff2Ma,Jeff Ma,User,"Guangzhou, China",136
postgres-packages,meteor/postgres-packages,JavaScript,Early preview of PostgreSQL support for Meteor,136,13,meteor,Meteor Development Group,Organization,,942
redux-persist,rt2zz/redux-persist,JavaScript,persist and rehydrate a redux store,136,8,rt2zz,Zack,User,Santa Monica,136
emberx-select,thefrontside/emberx-select,JavaScript,Select component for Ember based on the native html select element. ,136,45,thefrontside,The Frontside Software,Organization,"Austin, TX",136
trace-nodejs,RisingStack/trace-nodejs,JavaScript,Trace is a visualised stack trace platform designed for microservices.,136,6,RisingStack,RisingStack,Organization,,1509
angular-material-design-lite,jadjoubran/angular-material-design-lite,JavaScript,A tiny Angular wrapper for Material Design Lite,136,23,jadjoubran,Jad Joubran,User,"Beirut, Lebanon",854
cake-chart,alexkuz/cake-chart,JavaScript,Interactive multi-layer pie chart,136,9,alexkuz,Alexander Kuznetsov,User,,303
react-native-router-redux,Qwikly/react-native-router-redux,JavaScript,Router component to be used in your React Native redux applications. Packed with Nav and TabBar support.,136,15,Qwikly,Qwikly,Organization,,136
sharer.js,ellisonleao/sharer.js,JavaScript,:on: Create your own social share buttons,136,9,ellisonleao,Ellison Leão,User,Curitiba - Brazil,136
2015,vaalentin/2015,JavaScript,WebGL experiment,135,30,vaalentin,Vaalentin,User,"Amsterdam, Netherlands",135
node-rolling-spider,voodootikigod/node-rolling-spider,JavaScript,A library for controlling a Parrot Rolling Spider drone via BLE.,135,43,voodootikigod,Chris Williams,User,"Reston, VA",135
react-json-tree,chibicode/react-json-tree,JavaScript,"React JSON Viewer Component, Extracted from redux-devtools",135,16,chibicode,Shu Uesugi,User,"Millbrae, CA",135
0hn0,Q42/0hn0,JavaScript,It's 0h h1's companion! By Q42.,135,20,Q42,Q42,Organization,"The Hague, Amsterdam & Mountain View",912
psdinfo,rstacruz/psdinfo,JavaScript,Inspect PSD files from the command line,135,3,rstacruz,Rico Sta. Cruz,User,"Manila, Philippines",2939
web-of-things-framework,w3c/web-of-things-framework,JavaScript,,135,40,w3c,World Wide Web Consortium,Organization,World Wide Web,135
teaspoon,jquense/teaspoon,JavaScript,A jQuery like API for testing React elements and rendered components.,135,5,jquense,Jason Quense,User,New Jersey,252
standard-format,maxogden/standard-format,JavaScript,converts your code into Standard JavaScript Format,135,34,maxogden,=^._.^=,User,,4885
ghrepo,mattdesl/ghrepo,JavaScript,:octocat: create a new GitHub repo from your current folder,135,2,mattdesl,Matt DesLauriers,User,Toronto,2798
chirp,hwz/chirp,JavaScript,"A teaching example of the MEAN stack, by building a simple Twitter clone",135,251,hwz,Helen Zeng,User,"on the internet, always",135
BlockAdBlock,sitexw/BlockAdBlock,JavaScript,Allows you to detect the extension AdBlock (and other),135,19,sitexw,Valentin,User,France,135
titlebar,kapetan/titlebar,JavaScript,Emulate OS X window title bar,134,8,kapetan,Mirza Kapetanovic,User,Copenhagen,134
nova,melonHuang/nova,JavaScript,,134,19,melonHuang,,User,,134
quasar,srtucker22/quasar,JavaScript,video chatroom using meteor + webrtc + react + flux,134,28,srtucker22,Simon Tucker,User,San Francisco,134
swivel,bevacqua/swivel,JavaScript,Message passing between ServiceWorker and pages made simple,134,1,bevacqua,Nicolás Bevacqua,User,https://twitter.com/nzgb,20409
courses,ericdouglas/courses,JavaScript,"Reminders, exercises and applications from courses that I have seen.",134,17,ericdouglas,Eric Douglas,User,,134
retab,bucaran/retab,JavaScript,⌘ + ⇧ + T for Safari,134,8,bucaran,Jorge Bucaran,User,"Tokyo, Japan",2495
shipit-deploy,shipitjs/shipit-deploy,JavaScript,Set of deployment tasks for Shipit based on git and rsync commands.,134,39,shipitjs,Shipit,Organization,"Paris, France",2686
react-experiments,HubSpot/react-experiments,JavaScript,React components for implementing UI experiments,133,4,HubSpot,HubSpot,Organization,"Cambridge, MA",270
WebRx,WebRxJS/WebRx,JavaScript,"WebRx is a Javascript MVVM-Framework built on ReactiveX for Javascript (RxJs) that combines Functional-Reactive-Programming with declarative Data-Binding, Templating and Client-Side Routing.",133,7,WebRxJS,WebRx,Organization,,133
rest-facade,ngonzalvez/rest-facade,JavaScript,Node.js module that abstracts the process of consuming a REST endpoint.,133,5,ngonzalvez,Nicolás Gonzálvez,User,"Montevideo, Uruguay",133
wordpress-landing-page-lesson,agragregra/wordpress-landing-page-lesson,JavaScript,Создание Landing Page на WordPress,133,130,agragregra,Алексей,User,,282
es-feature-tests,getify/es-feature-tests,JavaScript,Feature Tests for JavaScript,133,9,getify,Kyle Simpson,User,"Austin, TX",333
activityoverlord20,irlnathan/activityoverlord20,JavaScript,This is an update to activityOverlord.,133,57,irlnathan,Irl Nathan,User,Austin,133
viewer,fengyuanchen/viewer,JavaScript,A simple jQuery image viewing plugin.,133,16,fengyuanchen,Fengyuan Chen,User,"Hangzhou, China",673
nsp,nodesecurity/nsp,JavaScript,node security project command-line tool,132,18,nodesecurity,The Node Security Project,Organization,,132
laravel-admin,tyua07/laravel-admin,JavaScript,一个简单的后台系统,可以快速构建CURD操作,132,51,tyua07,杨一繁,User,China ShangHai,132
react-flexbox-grid,roylee0704/react-flexbox-grid,JavaScript,A set of React components implementing flexboxgrid with the power of CSS Modules.,132,3,roylee0704,LEE SIONG TAI (Roy),User,Malaysia,132
template.js,yanhaijing/template.js,JavaScript,template.js 一款javascript模板引擎,简单,好用,132,52,yanhaijing,颜海镜,User,"Beijing,China",290
2015-02-13-React,FrontendMasters/2015-02-13-React,JavaScript,Code excercises for React.js workshop with Ryan Florence,132,136,FrontendMasters,Frontend Masters,Organization,Minnesota,1008
aurelia-typescript,cmichaelgraham/aurelia-typescript,JavaScript,A starter kit for working with the Aurelia TypeScript type definitions,132,59,cmichaelgraham,Mike Graham,User,"Denver, CO, USA",132
react-gateway,cloudflare/react-gateway,JavaScript,Render React DOM into a new context (aka 'Portal'),131,5,cloudflare,CloudFlare,Organization,San Francisco,240
EmptyBox,christianalfoni/EmptyBox,JavaScript,A complete isomorphic hackable blog service based on React JS,131,17,christianalfoni,Christian Alfoni,User,Norway,1563
remtail,NickCarneiro/remtail,JavaScript,tail log files from multiple remote hosts,131,4,NickCarneiro,Nick Carneiro,User,"Austin, Texas",131
DonorsChoose_Visualization,adilmoujahid/DonorsChoose_Visualization,JavaScript,,131,90,adilmoujahid,Adil Moujahid,User,Japan,131
react-cond,stoeffel/react-cond,JavaScript,Lisp-Style conditional rendering in react.,131,4,stoeffel,Christoph Hermann,User,Zurich,131
tungstenjs,wayfair/tungstenjs,JavaScript,,130,14,wayfair,Wayfair Engineering,Organization,,130
d3-react-squared,bgrsquared/d3-react-squared,JavaScript,Lightweight event system for (d3) charts and other components for ReactJS.,130,6,bgrsquared,bgrsquared ,Organization,Switzerland,130
UserFlows,abynim/UserFlows,JavaScript,A plugin for generating user walkthroughs from Artboards in Sketch.,130,6,abynim,Aby Nimbalkar,User,"Taipei, Taiwan",130
react-server-routing-example,mhart/react-server-routing-example,JavaScript,An example using universal client/server routing and data in React with AWS DynamoDB,130,13,mhart,Michael Hart,User,New York,360
motivate,simplyianm/motivate,JavaScript,Posts a daily motivational message in your terminal.,130,3,simplyianm,Ian Macalinao,User,"San Francisco, CA",565
react-aria-menubutton,davidtheclark/react-aria-menubutton,JavaScript,"A fully accessible, easily themeable, React-powered menu button",130,8,davidtheclark,David Clark,User,"Tucson, AZ",130
react-native-button,ide/react-native-button,JavaScript,A button for React apps,130,10,ide,James Ide,User,"Palo Alto, CA",130
vinyl-ftp,morris/vinyl-ftp,JavaScript,Blazing fast vinyl adapter for FTP.,130,9,morris,Morris Brodersen,User,"Kiel, Germany",130
soundcloud-audio.js,voronianski/soundcloud-audio.js,JavaScript,Soundcloud tracks and playslists in modern browsers with HTML5 Audio API,129,10,voronianski,Dmitri Voronianski,User,"Kiev, Ukraine",3104
angularjs-performance-tips,nirkaufman/angularjs-performance-tips,JavaScript,Reference code for the 'Performance tips' talk on the AngularJS-IL meetup @ google campus TLV,129,18,nirkaufman,Nir Kaufman,User,,129
myWordEditor,scripting/myWordEditor,JavaScript,A simple silo-free blogging tool that creates beautiful essay pages. ,129,16,scripting,Dave Winer,User,NYC,129
d3-ease,d3/d3-ease,JavaScript,Easing functions for smooth animation.,129,6,d3,D3,Organization,,1859
checkerboard,gregoryfabry/checkerboard,JavaScript,Shared transactional memory with zero server configuration.,129,2,gregoryfabry,Gregory Fabry,User,"Champaign-Urbana, Illinois",129
chunkify,yangmillstheory/chunkify,JavaScript,:sparkles: A functional API to unblock your JavaScript,129,2,yangmillstheory,Victor Alvarez,User,"Seattle, WA",129
redux-devtools-diff-monitor,whetstone/redux-devtools-diff-monitor,JavaScript,,129,9,whetstone,Whetstone,Organization,,129
placeholder.js,hustcc/placeholder.js,JavaScript,:zap: <1kb. Client-side library generate image placeholders. Do not depends on jQuery or Other.,129,18,hustcc,atool,User,China Hanzhou,588
sqlectron-gui,sqlectron/sqlectron-gui,JavaScript,A simple and lightweight SQL client desktop with cross database and platform support.,128,4,sqlectron,SQLECTRON,Organization,,128
Stitch,mattsjohnston/Stitch,JavaScript,Prototype in Framer without coding,128,1,mattsjohnston,Matt Johnston,User,,128
react-icons,gorangajic/react-icons,JavaScript,:heart: svg react icons of popular icon packs using ES6 imports,128,4,gorangajic,Goran Gajic,User,Belgrade,128
decktape,astefanutti/decktape,JavaScript,PDF exporter for HTML presentation frameworks,128,17,astefanutti,Antonin Stefanutti,User,"Paris, France",128
wpIonic,scottopolis/wpIonic,JavaScript,Ionic app with WordPress integration,128,54,scottopolis,Scott Bolinger,User,,128
postcss-js,postcss/postcss-js,JavaScript,"PostCSS for React Inline Styles, Free Style and other CSS-in-JS",128,2,postcss,PostCSS,Organization,,128
electron-compile,electronjs/electron-compile,JavaScript,Electron supporting package to compile JS and CSS in Electron applications,128,5,electronjs,,Organization,,128
ember-metrics,poteto/ember-metrics,JavaScript,Send data to multiple analytics integrations without re-implementing new API,128,21,poteto,Lauren Tan,User,"Boston, MA",587
MazeJS,finscn/MazeJS,JavaScript,A JavaScript tool for generating Maze by Growing Tree Algorithm.,127,24,finscn,finscn,User,China,127
hapi-auth-jwt2,dwyl/hapi-auth-jwt2,JavaScript,":lock: Secure Hapi.js authentication plugin using JSON Web Tokens (JWT) in Headers, Query or Cookies",127,27,dwyl,dwyl - do what you love,Organization,Your Pocket,266
react-blessed-hot-motion,gaearon/react-blessed-hot-motion,JavaScript,"A console app demo using React for rendering, animation, and hot reloading",127,8,gaearon,Dan Abramov,User,"London, UK",7814
smoothscroll-for-websites,galambalazs/smoothscroll-for-websites,JavaScript,Smooth scrolling experience for websites.,127,26,galambalazs,Balázs Galambosi,User,,127
offline-plugin,NekR/offline-plugin,JavaScript,"Offline plugin (ServiceWorker, AppCache) for webpack (http://webpack.github.io/)",127,1,NekR,Arthur Stolyar,User,"Russia, St. Petersburg",127
matter,stevenmiller888/matter,JavaScript,A UI framework built with Deku,127,10,stevenmiller888,Steven Miller,User,"San Francisco, CA",1082
ember-islands,mitchlloyd/ember-islands,JavaScript,Render Ember components anywhere on a server-rendered page to create 'Islands of Richness',127,6,mitchlloyd,Mitch Lloyd,User,"Portland, OR",127
docker-workflow,msanand/docker-workflow,JavaScript,"Sample docker workflow with Node.js, Redis and NGiNX",127,45,msanand,Anand Mani Sankar,User,,127
typer,httpete-ire/typer,JavaScript,Angular directive that simulates someone typing and deleting over a list of words.,126,6,httpete-ire,Pete Redmond,User,"Dublin, Ireland",126
github-stats,IonicaBizau/github-stats,JavaScript,:chart_with_upwards_trend: Visualize stats about GitHub users and projects in your terminal.,126,3,IonicaBizau,Ionică Bizău,User,Romania,4581
dreamfactory,dreamfactorysoftware/dreamfactory,JavaScript,DreamFactory 2.0 Application,126,32,dreamfactorysoftware,"DreamFactory Software, Inc.",Organization,"Campbell, CA.",126
cocoscii,mrspeaker/cocoscii,JavaScript,Javascript version of ASCIImage,126,6,mrspeaker,Earle Castledine,User,"Brooklyn, NYC",126
docker-compose-ui,francescou/docker-compose-ui,JavaScript,web interface for Docker Compose,126,19,francescou,Francesco Uliana,User,Rome,126
cmake-js,cmake-js/cmake-js,JavaScript,CMake.js - a Node.js/io.js native addon build tool,126,8,cmake-js,CMake.js,Organization,,126
cloverfield,cloverfield-tools/cloverfield,JavaScript,A next generation JavaScript boilerplate scaffolding tool.,126,7,cloverfield-tools,,Organization,,801
ipywidgets,ipython/ipywidgets,JavaScript,IPython widgets for the Jupyter Notebook,126,70,ipython,IPython: interactive computing in Python,Organization,,239
splash-pages,gocardless/splash-pages,JavaScript,Splash Pages for https://gocardless.com,126,11,gocardless,GoCardless,Organization,"London, UK",126
alton,paper-leaf/alton,JavaScript,"Alton is a jQuery-powered scrolling plugin, with a twist.",126,25,paper-leaf,Paper Leaf Design,User,"Edmonton, AB",126
notes,moyaproject/notes,JavaScript,Encrypted note taking web application,126,10,moyaproject,,Organization,,126
libsodium.js,jedisct1/libsodium.js,JavaScript,"libsodium compiled to pure JavaScript, with convenient wrappers",125,22,jedisct1,Frank Denis,User,"Paris, France",125
core,wholecms/core,JavaScript,,125,21,wholecms,Whole CMS,Organization,,125
Cube,stkevintan/Cube,JavaScript,A cross-platform web music player in nw.js,125,24,stkevintan,Kevin Tan,User,Outer Space,125
react-stamp,stampit-org/react-stamp,JavaScript,Composables for React.,125,2,stampit-org,,Organization,,367
ionic-firebase,mappmechanic/ionic-firebase,JavaScript,Real Time multi person Chat App using Ionic & Firebase,125,98,mappmechanic,Rahat Khanna,User,Noida,125
nuts,GitbookIO/nuts,JavaScript,:chestnut: Releases/downloads server with auto-updater and GitHub as a backend,125,19,GitbookIO,GitBook,Organization,,125
ember-wormhole,yapplabs/ember-wormhole,JavaScript,Render a child view somewhere else in the DOM.,125,23,yapplabs,Yapp Labs,Organization,New York City,125
slack-manager,anonrig/slack-manager,JavaScript,"Agile Development tool for Slack. Basically, 'Standup Meetings in Slack'.",125,10,anonrig,anonrig,User,"Istanbul, Turkey.",125
iMessageWebClient,CamHenlin/iMessageWebClient,JavaScript,send and receive iMessages on anything with a web browser,125,13,CamHenlin,Cameron Henlin,User,"Eugene, OR",759
grunt-purifycss,purifycss/grunt-purifycss,JavaScript,Remove unused CSS with the grunt build tool,125,13,purifycss,PurifyCSS,Organization,,5992
apk-method-count,inloop/apk-method-count,JavaScript,Output per-package method counts in Android APK,125,17,inloop,inloop,Organization,,125
BurstTab,LordZamy/BurstTab,JavaScript,Fuzzy tab finder for chrome.,124,3,LordZamy,Samarth Wahal,User,"Nashville, Tennessee",124
Code4Startup.Ninja,leotrieu/Code4Startup.Ninja,JavaScript,,124,159,leotrieu,Leo Trieu,User,Australia,124
node-mc,azproduction/node-mc,JavaScript,nmc – Midnight Commander written in React/Node stack.,124,8,azproduction,Mikhail Davydov,User,"Germany, Berlin",124
ddms,unbug/ddms,JavaScript,Data Drive Management System,124,22,unbug,Unbug Lee,User,,581
react-stampit,stampit-org/react-stampit,JavaScript,A specialized stampit factory for React,124,4,stampit-org,,Organization,,367
json-schema-benchmark,ebdrup/json-schema-benchmark,JavaScript,Benchmarks for Node.js JSON-schema validators,124,8,ebdrup,Allan Ebdrup,User,Denmark,124
startup,shadowfiles/startup,JavaScript,A random startup website generator. ,124,20,shadowfiles,Tiff Zhang,User,,124
authentic,davidguttman/authentic,JavaScript,Authentication for microservices.,124,4,davidguttman,David Guttman,User,Los Angeles,516
redux-auth,lynndylanhurley/redux-auth,JavaScript,Complete token authentication system for react + redux that supports isomorphic rendering.,124,8,lynndylanhurley,Lynn Dylan Hurley,User,,124
fourk.js,crcn-archive/fourk.js,JavaScript,threads in the browser,124,1,crcn-archive,,Organization,,124
smtp-server,andris9/smtp-server,JavaScript,Create custom SMTP servers on the fly,124,19,andris9,Andris Reinman,User,"Tallinn, Estonia",124
jquery-video-extend,andchir/jquery-video-extend,JavaScript,HTML5 Video Extend,123,16,andchir,,User,,123
meteor-build-client,frozeman/meteor-build-client,JavaScript,A tool to bundle the client part of a Meteor app.,123,11,frozeman,Fabian Vogelsteller,User,"Berlin, Germany",123
react-native-for-web,KodersLab/react-native-for-web,JavaScript,A set of classes and react components to make work your react-native app in a browser. (with some limitations obviously),123,6,KodersLab,KodersLab,Organization,,123
jxcore-cordova,jxcore/jxcore-cordova,JavaScript,JXcore / Node.JS plugin for Apache Cordova / PhoneGap,123,23,jxcore,JXcore,Organization,,123
tooling,egoist/tooling,JavaScript,:hammer: Quick prototyping tool for modern JavaScript apps.,123,1,egoist,EGOIST,User,Sky Tree,346
es6-guide,dnbard/es6-guide,JavaScript,Comparison between ECMA5 and ECMA6 features,123,7,dnbard,Alex Bardanov,User,"Ukraine, Kyiv",123
insane,bevacqua/insane,JavaScript,:pouting_cat: Lean and configurable whitelist-oriented HTML sanitizer,123,1,bevacqua,Nicolás Bevacqua,User,https://twitter.com/nzgb,20409
serender,YoussefKababe/serender,JavaScript,Insanely fast server side rendering middleware for Express,123,2,YoussefKababe,Youssef Kababe,User,"Casablanca, Morocco",123
gulp-starter-env,una/gulp-starter-env,JavaScript,A basic gulp environment with autoprefixer and minifcation for designers to play around with,123,23,una,Una Kravets,User,"Austin, TX",3308
hacker-news-app,reapp/hacker-news-app,JavaScript,Hacker News Reader demo app built on Reapp http://hn.reapp.io,123,38,reapp,reapp,Organization,the web,317
DevelopmentStack,unruledboy/DevelopmentStack,JavaScript,"System development basics, analysis, project/planning, documentation, wireframe/mockup, design/modeling, implementation, quality, management, build, testing, deployment, maintenance, troubleshooting, learning",123,43,unruledboy,Wilson Chen,User,"Sydney, Australia",1220
babel-starter-kit,kriasoft/babel-starter-kit,JavaScript,"JavaScript library boilerplate, a project template for authoring and publishing JavaScript libraries built with ES6+, Babel, Browserify, BrowserSync, Mocha, Chai, Sinon",123,14,kriasoft,Kriasoft,Organization,,232
redux-devtools-gentest-plugin,lapanoid/redux-devtools-gentest-plugin,JavaScript,Generate mocha like tests from redux-devtools session,123,11,lapanoid,Sergey Lapin,User,,123
gohttp,codeskyblue/gohttp,JavaScript,HTTP file server written by golang + reactjs,123,23,codeskyblue,shengxiang,User,Hangzhou China,454
mathbox,unconed/mathbox,JavaScript,Presentation-quality WebGL math graphing,122,7,unconed,,User,,122
myo.js,thalmiclabs/myo.js,JavaScript,Myo javascript bindings,122,26,thalmiclabs,Thalmic Labs,Organization,,122
meanstacktutorial,michaelcheng429/meanstacktutorial,JavaScript,MEAN Stack RESTful API Tutorial - Contact List App,121,78,michaelcheng429,Michael Cheng,User,,121
microcosm,vigetlabs/microcosm,JavaScript,An isolated flux,121,6,vigetlabs,Viget Labs,Organization,"Falls Church, VA / Durham, NC / Boulder, CO",629
WebGoat,WebGoat/WebGoat,JavaScript,7.x - WebGoat Lesson Server,121,63,WebGoat,OWASP WebGoat,Organization,,121
react-progress-2,milworm/react-progress-2,JavaScript,ReactJS Progress 2,121,1,milworm,Ruslan P.,User,Ukraine,121
password-alert,google/password-alert,JavaScript,A Chrome Extension to help protect against phishing attacks.,121,25,google,Google,Organization,,70104
ReactNativeHackerNews,jsdf/ReactNativeHackerNews,JavaScript,React Native Hacker News app,121,14,jsdf,James Friend,User,"Melbourne, Australia",771
gluestick,TrueCar/gluestick,JavaScript,Experimental Command Line Interface for rapidly developing universal React applications,121,6,TrueCar,TrueCar Inc,Organization,,121
react-snowstorm,burakcan/react-snowstorm,JavaScript,A Snow Effect component for React.,121,5,burakcan,Burak Can,User,İstanbul,121
chiasm,chiasm-project/chiasm,JavaScript,A browser based environment for interactive data visualizations.,121,13,chiasm-project,Chiasm,Organization,,121
angular2-now,pbastowski/angular2-now,JavaScript,Angular 2 @Component syntax for Angular 1 apps,121,16,pbastowski,,User,,121
v-modal,LukaszWatroba/v-modal,JavaScript,"Simple, flexible and beautiful modal dialogs in AngularJS.",121,24,LukaszWatroba,Łukasz Wątroba,User,Poland,121
react-example-filmdb,tomaash/react-example-filmdb,JavaScript,Isomorphic React + Flux film database example,121,22,tomaash,Tomáš Holas,User,"Prague, Czech Republic",121
react-native-sglistview,sghiassy/react-native-sglistview,JavaScript,,121,11,sghiassy,Shaheen Ghiassy,User,"Palo Alto, CA",121
stringformatter,anywhichway/stringformatter,JavaScript,"JS string formatter that supports objects, currency, date/time, decimals, and more supports easy extension and garbage collection ... goes far beyond sprintf approach.",121,4,anywhichway,Simon Y. Blackwell,User,United States,240
react-fullstack-skeleton,fortruce/react-fullstack-skeleton,JavaScript,A minimal React fullstack skeleton featuring hot reloading and a backend api server.,121,10,fortruce,Joseph Rollins,User,Washington DC,121
ReactNativeSampleApp,taskrabbit/ReactNativeSampleApp,JavaScript,Example app in React Native: sort of like twitter/tumblr,121,30,taskrabbit,TaskRabbit,Organization,"San Francisco, CA",121
Angular-Material-ECMA6-Dashboard,Excelian/Angular-Material-ECMA6-Dashboard,JavaScript,"This is an opinionated AngularJS dashboard using Material Design, ECMA6 and Traceur",120,16,Excelian,Excelian,Organization,London,120
stream-faqs,stephenplusplus/stream-faqs,JavaScript,Let's learn these things together,120,1,stephenplusplus,Stephen Sawchuk,User,Michigan,120
shearphoto,drduan/shearphoto,JavaScript,mark everything,120,44,drduan,dr.duang,User,dalian,743
astral,astralapp/astral,JavaScript,Organize Your GitHub Stars With Ease,120,12,astralapp,Astral,Organization,S P A C E,120
fast-js,alsotang/fast-js,JavaScript,:heart_eyes: Writing Fast JavaScript,120,14,alsotang,alsotang,User,"ShenZhen, China",120
twee-framework,tweeio/twee-framework,JavaScript,Modern MVC Framework for Node.js and io.js based on Express.js for professionals with deadlines in enterprise,120,11,tweeio,TWEE.IO,Organization,,120
wtf,staltz/wtf,JavaScript,What The Flux - the Flux library with an easy meantal model,120,6,staltz,André Staltz,User,"Helsinki, Finland",1504
lazer,photonstorm/lazer,JavaScript,"A fun, fast and free HTML5 Game Framework for the next generation of browser gaming",120,5,photonstorm,Richard Davey,User,UK,120
scalable-data-visualization,znation/scalable-data-visualization,JavaScript,React.js Conference 2015 talk and demo,120,27,znation,Zach Nation,User,"Seattle, WA",120
ContosoUniversity,jbogard/ContosoUniversity,JavaScript,Contoso University sample re-done the way I would build it,120,42,jbogard,Jimmy Bogard,User,"Austin, TX",263
react-virtual-list,developerdizzle/react-virtual-list,JavaScript,Super simple virtualized list React component,120,16,developerdizzle,Dizzle,User,"Massachusetts, USA",120
magicplaylist,loverajoel/magicplaylist,JavaScript,Get the playlist of your dreams based on a song,120,19,loverajoel,Joel Lovera,User,Córdoba,744
electron-updater,EvolveLabs/electron-updater,JavaScript,Cross platform auto-updater for electron apps,119,5,EvolveLabs,,Organization,,119
angular-immutable,mgechev/angular-immutable,JavaScript,"Simple directive, which allows binding to Immutable.js collections.",119,8,mgechev,Minko Gechev,User,Bulgaria,119
kinwin.js,aliirz/kinwin.js,JavaScript,A minimalist DOM-manipulation javascript library,119,6,aliirz,Ali Raza,User,Pakistan,119
react-serial-forms,LevInteractive/react-serial-forms,JavaScript,A high performance form library built specifically for React using persistent immutable data.,119,13,LevInteractive,Lev Interactive,Organization,Washington DC,119
soWatch,jc3213/soWatch,JavaScript,Enhance user experience on Chinese video sites: youku.com | tudou.com | iqiyi.com | letv.com | pptv.com | sohu.com | qq.com,119,36,jc3213,jc3213,User,,119
snyk,Snyk/snyk,JavaScript,So now you know - the CLI,119,5,Snyk,Snyk,Organization,London/Israel,282
joqular,anywhichway/joqular,JavaScript,"JavaScript Object Query Language Representation - Funny, it's just JSON.",119,4,anywhichway,Simon Y. Blackwell,User,United States,240
react-object-inspector,xyc/react-object-inspector,JavaScript,Simple object inspector made with React,119,12,xyc,Xiaoyi Chen,User,San Francisco Bay Area,119
framer-viewNavigationController,chriscamargo/framer-viewNavigationController,JavaScript,A simple controller for FramerJS that allows you to transition between views with just a couple lines of code.,119,11,chriscamargo,Chris Camargo,User,"Seattle, WA",119
unexpected-react-shallow,bruderstein/unexpected-react-shallow,JavaScript,"Plugin for unexpected, to support React shallow renderer",118,3,bruderstein,Dave Brotherstone,User,,118
jupyter-nodejs,notablemind/jupyter-nodejs,JavaScript,A node.js kernel for jupyter/ipython,118,15,notablemind,,Organization,,118
graph.editor,samsha/graph.editor,JavaScript,HTML5拓扑图编辑器,118,43,samsha,sam,User,shanghai,118
alt-tutorial,goatslacker/alt-tutorial,JavaScript,A simple flux tutorial built with alt and react,118,46,goatslacker,Josh Perez,User,"San Jose, CA",261
dnd-core,gaearon/dnd-core,JavaScript,Drag and drop sans the GUI,118,12,gaearon,Dan Abramov,User,"London, UK",7814
chartx,thx/chartx,JavaScript,Data Visualization Solutions ,118,15,thx,THX,Organization,杭州 北京,118
react-native-applinks,facebook/react-native-applinks,JavaScript,AppLinks support for React Native.,118,5,facebook,Facebook,Organization,"Menlo Park, California",61260
redux-storage,michaelcontento/redux-storage,JavaScript,Persistence layer for redux with flexible backends,118,10,michaelcontento,Michael Contento,User,"Koblenz, Germany",118
credits-cli,stefanjudis/credits-cli,JavaScript,Find out on whose work your project is based on ,118,1,stefanjudis,Stefan Judis,User,Berlin,118
tiny-binary-format,danprince/tiny-binary-format,JavaScript,Memory efficient binary formats instead of objects.,118,9,danprince,Dan Prince,User,"Wales, United Kingdom",118
evilml,akabe/evilml,JavaScript,A compiler from ML to C++ template language,118,6,akabe,Akinori ABE,User,Japan,118
pangolin,qgy18/pangolin,JavaScript,A light weight http tunnels to localhost.,118,16,qgy18,Jerry Qu,User,Beijing,118
stamp-specification,stampit-org/stamp-specification,JavaScript,The Composables specification.,118,5,stampit-org,,Organization,,367
fastimage,ShogunPanda/fastimage,JavaScript,FastImage finds the size or type of an image given its URL by fetching as little as needed.,117,1,ShogunPanda,Shogun,User,"Campobasso, IT / San Mateo, US",117
generator-ng-fullstack,ericmdantas/generator-ng-fullstack,JavaScript,"Next generation stack. Use the best latest modules: node, Go, Angular2, Express, MongoDB, Gulp, Babel, Typescript and much more.",117,19,ericmdantas,Eric Mendes Dantas,User,"Rio de Janeiro, Brazil",117
react-formal,jquense/react-formal,JavaScript,Sophisticated HTML form management for React,117,8,jquense,Jason Quense,User,New Jersey,252
postcss-modules,outpunk/postcss-modules,JavaScript,PostCSS plugin to use CSS Modules everywhere,117,6,outpunk,Alexander Madyankin,User,"Moscow, Russia",117
ember-computed-decorators,rwjblue/ember-computed-decorators,JavaScript,,117,14,rwjblue,Robert Jackson,User,"Hope, RI",117
Hybrid,yexiaochai/Hybrid,JavaScript,简单Hybrid框的实现,117,37,yexiaochai,叶小钗,User,,117
react-typeahead-component,ezequiel/react-typeahead-component,JavaScript,"Typeahead, written using the React.js library.",117,26,ezequiel,Ezequiel Rodriguez,User,"San Jose, CA",117
js2lua,wizzard0/js2lua,JavaScript,Javascript to Lua translator,117,2,wizzard0,Oleksandr Nikitin,User,Ukraine,117
electron-debug,sindresorhus/electron-debug,JavaScript,Adds useful debug features to your Electron app,117,11,sindresorhus,Sindre Sorhus,User,✈,11371
dockunit,dockunit/dockunit,JavaScript,Containerized unit testing across any platform and programming language,116,7,dockunit,Dockunit,Organization,,116
ember-suave,dockyard/ember-suave,JavaScript,Make your Ember App Stylish,116,20,dockyard,⚓️ DockYard ⚓️,Organization,"Boston, MA",419
perfectionist,ben-eb/perfectionist,JavaScript,Beautify CSS files.,116,6,ben-eb,Ben Briggs,User,,812
x-nes,koenkivits/x-nes,JavaScript,A NES emulator web component,116,12,koenkivits,Koen Kivits,User,,116
input-moment,wangzuo/input-moment,JavaScript,React datetime picker powered by momentjs,116,4,wangzuo,Wang Zuo,User,Hong Kong,320
graphql-sequelize,mickhansen/graphql-sequelize,JavaScript,GraphQL & Relay for MySQL & Postgres via Sequelize,116,13,mickhansen,Mick Hansen,User,"Copenhagen, Denmark",116
ng-morphing-modal,shauchenka/ng-morphing-modal,JavaScript,Angular Morphing Modal,116,11,shauchenka,Anthony Shauchenka,User,Minsk,116
github-notetaker-egghead,tylermcginnis/github-notetaker-egghead,JavaScript,,116,81,tylermcginnis,Tyler McGinnis,User,"Salt Lake City, Utah",624
mditor,Houfeng/mditor,JavaScript,[ M ] arkdown + E [ ditor ] = Mditor,116,12,Houfeng,Houfeng,User,Beijing,116
stratux,cyoung/stratux,JavaScript,Aviation weather and traffic receiver based on RTL-SDR.,116,63,cyoung,,User,,116
graffiti-mongoose,RisingStack/graffiti-mongoose,JavaScript,Mongoose (MongoDB) adapter for graffiti (Node.js GraphQL ORM),116,17,RisingStack,RisingStack,Organization,,1509
react-native-carousel,nick/react-native-carousel,JavaScript,,115,40,nick,Nick Poulden,User,"Boulder, CO",115
react-metaform,gearz-lab/react-metaform,JavaScript,A library for dynamically generating React forms out of metadata,115,6,gearz-lab,Gearz,Organization,Brazil,115
godot,hannesstruss/godot,JavaScript,Keep track of how much time you spend on Gradle builds,115,3,hannesstruss,Hannes Struß,User,"Berlin, Germany",115
react-native-demo,hugohua/react-native-demo,JavaScript,a react native app for tmall 3c home page,115,36,hugohua,宇果,User,China,115
react-inline-grid,broucz/react-inline-grid,JavaScript,Predictable flexbox based grid for React.,115,4,broucz,Pierre Brouca,User,"Barcelona, Catalonia",115
pokemonorbigdata,pixelastic/pokemonorbigdata,JavaScript,Is it Pokemon or Big Data ?,115,14,pixelastic,Tim Carry,User,Paris,115
gifloopcoder,bit101/gifloopcoder,JavaScript,HTML/JS Library/App for coding looping gif animations.,115,9,bit101,Keith Peters,User,Boston(ish),115
vo,lapwinglabs/vo,JavaScript,Vo is a control flow library for minimalists.,115,1,lapwinglabs,Lapwing Labs,Organization,San Francisco,2109
folktale,folktale/folktale,JavaScript,Folktale is a suite of libraries for generic functional programming in JavaScript that allows you to write elegant modular applications with fewer bugs and more reuse.,115,5,folktale,Folktale,Organization,,115
react-dnd-touch-backend,yahoo/react-dnd-touch-backend,JavaScript,Touch Backend for react-dnd,115,3,yahoo,Yahoo Inc.,Organization,"Sunnyvale, California",10798
mesos-ui,Capgemini/mesos-ui,JavaScript,"An alternative web UI for Apache Mesos, built with :heart: and React.JS",115,10,Capgemini,,Organization,,115
floatl,richardvenneman/floatl,JavaScript,"A library agnostic, pragmatic implementation of the Float Label Pattern",114,9,richardvenneman,Richard Venneman,User,"Leeuwarden, The Netherlands",114
Jexl,TechnologyAdvice/Jexl,JavaScript,Javascript Expression Language: Powerful context-based expression parser and evaluator,114,10,TechnologyAdvice,TechnologyAdvice,Organization,"Brentwood, TN",475
VSCUnity,kode80/VSCUnity,JavaScript,Unity3D editor plugin to make Unity projects Visual Studio Code compatible.,114,9,kode80,Ben Hopkins,User,Florida,114
md2react,mizchi/md2react,JavaScript,markdown to react element,114,9,mizchi,Koutaro Chikuba,User,Tokyo/Japan,320
redux-tiny-router,Agamennon/redux-tiny-router,JavaScript,A Router made for Redux and made for universal apps! stop using the router as a controller... its just state! ,114,12,Agamennon,Guilherme Guerchmann,User,brazil,114
react-kickstart,vesparny/react-kickstart,JavaScript,just another react + webpack boilerplate,114,14,vesparny,Alessandro Arnodo,User,Turin (Italy) & Geneva (Switzerland),222
react-native-material-design,react-native-material-design/react-native-material-design,JavaScript,React Native UI Components for Material Design,114,7,react-native-material-design,React Native Material Design,Organization,,114
hopfield-color-recognition,mateogianolio/hopfield-color-recognition,JavaScript,Trains a Hopfield recurrent neural network to recognize colors and uses it to interpret images.,114,12,mateogianolio,Mateo Gianolio,User,Sweden,1684
react-starter,substack/react-starter,JavaScript,bare-bones react starter using reactify for jsx under browserify/watchify with npm run scripts,114,11,substack,James Halliday,User,"Oakland, California, USA",976
react-maskedinput,insin/react-maskedinput,JavaScript,Masked <input/> React component,114,32,insin,Jonny Buchanan,User,Belfast,674
youmightnotneedunderscore,reindexio/youmightnotneedunderscore,JavaScript,https://www.reindex.io/blog/you-might-not-need-underscore/,114,8,reindexio,Reindex,Organization,,114
get-next,bucaran/get-next,JavaScript,:lollipop: Sweet HTTP GET,114,2,bucaran,Jorge Bucaran,User,"Tokyo, Japan",2495
virtual-dom-starter,substack/virtual-dom-starter,JavaScript,bare-bones virtual-dom starter using main-loop and browserify/watchify with npm run scripts,114,18,substack,James Halliday,User,"Oakland, California, USA",976
mosaico,voidlabs/mosaico,JavaScript,Mosaico - Responsive Email Template Editor,114,47,voidlabs,Void Labs,Organization,Italy,114
hubdb,mapbox/hubdb,JavaScript,a github-powered database,113,2,mapbox,Mapbox,Organization,Washington DC,993
WebAudioExtension,spite/WebAudioExtension,JavaScript,Google Chrome DevTools extension to view and hopefully interact with the routing graph of Web Audio API,113,8,spite,Jaume Sanchez,User,Barcelona,835
CanyonRunner,zackproser/CanyonRunner,JavaScript,"A complete HTML5 game using the Phaser framework. Playable, buildable, and published as a tutorial for other game developers.",113,9,zackproser,Zack Proser,User,,113
webvr-starter-kit,povdocs/webvr-starter-kit,JavaScript,,113,24,povdocs,,Organization,,113
voicebox,thomascullen/voicebox,JavaScript,A voice control app built with electron,113,10,thomascullen,Thomas Cullen,User,Ireland,113
react-router-proxy-loader,odysseyscience/react-router-proxy-loader,JavaScript,"Dynamically load react-router components on-demand, based on react-proxy-loader",113,8,odysseyscience,Odyssey Science Innovations,Organization,,113
H5lock,lvming6816077/H5lock,JavaScript,,113,55,lvming6816077,tennylv,User,中国,113
MacGo,yongmook/MacGo,JavaScript,Special For Mac,113,48,yongmook,,User,US,113
angular-trix,sachinchoolur/angular-trix,JavaScript,A rich WYSIWYG text editor directive for angularjs.,113,4,sachinchoolur,Sachin N,User,Bangalore,253
webrtc-explorer,diasdavid/webrtc-explorer,JavaScript,P2P overlay network designed for the Web platform (browsers),113,6,diasdavid,David Dias,User,"Lisbon, Portugal",113
chimp,xolvio/chimp,JavaScript,Develop acceptance tests & end-to-end tests with realtime feedback,113,29,xolvio,Xolv.io,Organization,San Francisco,113
react-winjs,winjs/react-winjs,JavaScript,React wrapper around WinJS's controls,113,12,winjs,WinJS,Organization,,262
html5-video-compositor,bbc/html5-video-compositor,JavaScript,This is the BBC Research & Development UX Team's experimental shader based video composition engine for the browser.,113,5,bbc,BBC,Organization,London,113
generator-rf,taiansu/generator-rf,JavaScript,"RF: a React/Flux generator with webpack, dialects and some good stuffs.",113,14,taiansu,Tai-An Su,User,"Taipei, Taiwan",113
meteor-debug,kadirahq/meteor-debug,JavaScript,Full Stack Debugging Solution for Meteor,113,5,kadirahq,KADIRA,Organization,Sri Lanka,432
vuepack,egoist/vuepack,JavaScript,A modern starter for Vue and Webpack,112,4,egoist,EGOIST,User,Sky Tree,346
react-page-transitions,jaing/react-page-transitions,JavaScript,Page tranistions for ReactJS based on VelocityJS library. Mobile friendly. High performance.,112,5,jaing,Kamil Thomas,User,Polska,112
framer-sketch-boilerplate,darrinhenein/framer-sketch-boilerplate,JavaScript,A boilerplate for rapid prototyping using Framer.js and Sketch.,112,24,darrinhenein,Darrin Henein,User,"Toronto, Ontario",112
evolve,JamesHabben/evolve,JavaScript,Web interface for the Volatility Memory Forensics Framework,112,20,JamesHabben,James Habben,User,,112
styling,andreypopp/styling,JavaScript,Create CSS modules with the full power of JavaScript,112,4,andreypopp,Andrey Popp,User,"St. Petersburg, Russia",401
textr,A/textr,JavaScript,Modular typographic framework,112,6,A,Shuvalov Anton,User,Moscow,112
data-structures-of-the-revolution,substack/data-structures-of-the-revolution,JavaScript,slides from barcelonajs,112,5,substack,James Halliday,User,"Oakland, California, USA",976
ember-cli-nwjs,brzpegasus/ember-cli-nwjs,JavaScript,An addon for building desktop apps with Ember and NW.js,112,6,brzpegasus,Estelle DeBlois,User,"Boston, MA",112
generator-flux-on-rails,alexfedoseev/generator-flux-on-rails,JavaScript,"Scaffolder of universal Flux / Redux app, backed by Rails API.",112,8,alexfedoseev,Alex Fedoseev,User,"Bali, Indonesia",112
meteor-webpack,thereactivestack/meteor-webpack,JavaScript,Meteor package for Webpack,112,10,thereactivestack,The Reactive Stack,Organization,,653
bootstrap-ui-datetime-picker,Gillardo/bootstrap-ui-datetime-picker,JavaScript,AngularJs directive to allow use of the bootstrap UI date/time pickers in a single dropdown,111,45,Gillardo,,User,,111
country-data,samayo/country-data,JavaScript,Helpful world data of each country in JSON format,111,20,samayo,samayo,User,"Vaud, CH",111
gfvvlist,akar1nchan/gfvvlist,JavaScript,Across the Great Wall we can reach every corner in the world.,111,26,akar1nchan,機智的阿卡林醬,User,Shanghai & Hangchow,111
postcss-local-scope-example,markdalgleish/postcss-local-scope-example,JavaScript,Example usage of postcss-local-scope,111,1,markdalgleish,Mark Dalgleish,User,"Melbourne, Australia",1007
daterangepicker,sensortower/daterangepicker,JavaScript,Date range picker component for the modern web,111,6,sensortower,,Organization,,111
pipboylib,RobCoIndustries/pipboylib,JavaScript,:thumbsup: Companion pip boy library for Fallout 4,111,10,RobCoIndustries,RobCo Industries,Organization,,111
minigun,shoreditch-ops/minigun,JavaScript,"Load-testing for modern applications (HTTP, WebSockets and more). Node.js-based.",111,22,shoreditch-ops,Shoreditch Ops,Organization,"London, UK",111
api-check,kentcdodds/api-check,JavaScript,VanillaJS version of ReactJS propTypes,111,16,kentcdodds,Kent C. Dodds,User,"Salt Lake City, Utah, USA",111
ok,JohnEarnest/ok,JavaScript,An open-source interpreter for the K5 programming language.,111,13,JohnEarnest,John Earnest,User,"Lehi, UT",111
react-redux-starter-kit,cloudmu/react-redux-starter-kit,JavaScript,Yet another React and Redux based web application starter kit.,111,11,cloudmu,Yunjun Mu,User,USA,111
emoji-minesweeper,muan/emoji-minesweeper,JavaScript,:boom::bomb::boom:,110,20,muan,Mu-An Chiou,User,Travelling,969
react-html-document,venmo/react-html-document,JavaScript,A foundational React component useful for rendering full html documents on the server.,110,0,venmo,Venmo,Organization,10001,1050
panda,stormtea123/panda,JavaScript,一个字体处理客户端,110,13,stormtea123,Thunk,User,深圳,110
redux-immutable-state-invariant,leoasis/redux-immutable-state-invariant,JavaScript,Redux middleware that detects mutations between and outside redux dispatches. For development use only.,110,1,leoasis,Leonardo Garcia Crespo,User,"Buenos Aires, Argentina",110
v2er,samuel1112/v2er,JavaScript,"A simple v2ex client app, use React Native",110,13,samuel1112,SSSamuel,User,,110
RainEffect,codrops/RainEffect,JavaScript,"Some experimental rain and water drop effects in different scenarios using WebGL, by Lucas Bebber.",110,21,codrops,Codrops,Organization,,3303
typescript-book,basarat/typescript-book,JavaScript,The definitive guide to TypeScript. Dive into all the details that a JavaScript developer needs to know to be a great TypeScript developer,110,25,basarat,Basarat Ali Syed,User,"Melbourne, Australia",110
ajour,gopatrik/ajour,JavaScript,CLI project journal,110,7,gopatrik,Patrik Göthe,User,"Gothenburg, Sweden",1499
Likely,ilyabirman/Likely,JavaScript,The social sharing buttons that aren’t shabby,110,7,ilyabirman,Ilya Birman,User,,110
eslint-config-standard,feross/eslint-config-standard,JavaScript,ESLint Shareable Config for JavaScript Standard Style,110,13,feross,Feross Aboukhadijeh,User,"Mountain View, CA",3796
minimal-flux,malte-wessel/minimal-flux,JavaScript,Scared of Flux? Try this one.,109,5,malte-wessel,Malte Wessel,User,Düsseldorf,109
react-scroll,fisshy/react-scroll,JavaScript,React scroll component,109,44,fisshy,Joachim,User,Sweden,109
gitter-cli,RodrigoEspinosa/gitter-cli,JavaScript,An extremely simple Gitter client for your terminal ,109,18,RodrigoEspinosa,Rodrigo Espinosa,User,"Montevideo, Uruguay",109
live-patch,substack/live-patch,JavaScript,patch the source code of a running program,109,2,substack,James Halliday,User,"Oakland, California, USA",976
pify,sindresorhus/pify,JavaScript,Promisify a callback-style function,109,4,sindresorhus,Sindre Sorhus,User,✈,11371
google-music-electron,twolfson/google-music-electron,JavaScript,Desktop app for Google Music on top of Electron,109,17,twolfson,Todd Wolfson,User,"Chicago, IL",109
react-modal2,cloudflare/react-modal2,JavaScript,Simple modal component for React.,109,4,cloudflare,CloudFlare,Organization,San Francisco,240
Bootstruct,taitulism/Bootstruct,JavaScript,Routing by structure (a Nodejs framework).,109,5,taitulism,Taitu Lizenbaum,User,"Tel Aviv, Israel",109
vox2,Lallassu/vox2,JavaScript,Will become an simple voxel engine with PCG only content,109,4,Lallassu,Magnus,User,Sweden,320
rust-todomvc,tcr/rust-todomvc,JavaScript,Implementation of TodoMVC in Rust in the browser,109,1,tcr,Tim Cameron Ryan,User,coast to coast,109
ParseHTML-React-Native,iSimar/ParseHTML-React-Native,JavaScript,A component for React-Native - rendering HTML code in iOS Applications,109,11,iSimar,Simar,User,"Toronto, ON, Canada",1646
UI,BrowserSync/UI,JavaScript,User interface for BrowserSync,109,9,BrowserSync,Browsersync,Organization,"Nottingham, UK",319
ember-cli-page-object,san650/ember-cli-page-object,JavaScript,Represent the screens of your web app as a series of objects. This ember-cli addon eases the construction of these objects on your acceptance tests.,109,21,san650,Santiago Ferreira,User,Uruguay,109
react-decorators,kriasoft/react-decorators,JavaScript,A collection of higher-order ReactJS components,109,11,kriasoft,Kriasoft,Organization,,232
FilterBlend,ilyashubin/FilterBlend,JavaScript,CSS blend modes and filters playground,109,16,ilyashubin,Ilya Shubin,User,"Moscow, Russia",109
ionic-platform-web-client,driftyco/ionic-platform-web-client,JavaScript,A web client that provides interactions with the Ionic platform.,109,14,driftyco,Ionic,Organization,The internet,271
rgx,jxnblk/rgx,JavaScript,React grid system based on minimum and maximum widths,109,3,jxnblk,Brent Jackson,User,New York City,1071
neuralslimevolley,hardmaru/neuralslimevolley,JavaScript,Neural Slime Volleyball,109,16,hardmaru,hardmaru,User,Tokyo,231
smoke-and-mirrors,runspired/smoke-and-mirrors,JavaScript,Ambitious infinite-scroll and svelte rendering for ambitious applications.,109,18,runspired,Chris Thoburn,User,"Chicago, IL",109
react-masonry-component,eiriklv/react-masonry-component,JavaScript,A React.js component for using @desandro's Masonry,109,21,eiriklv,Eirik L. Vullum,User,Oslo,109
union-type,paldepind/union-type,JavaScript,A small JavaScript library for defining and using union types.,108,7,paldepind,Simon Friis Vindum,User,"Aarhus, Denmark",1263
slack-news,karan/slack-news,JavaScript,Read news from multiple sources within Slack by just typing /news.,108,9,karan,Karan Goel,User,Seattle,2904
babel-preset-es2015-node5,alekseykulikov/babel-preset-es2015-node5,JavaScript,Babel preset to make node@5 fully ES2015 compatible,108,0,alekseykulikov,Aleksey Kulikov,User,"Ljubljana, Slovenia",108
twreporter-react,twreporter/twreporter-react,JavaScript,twreporter site with node.js,108,26,twreporter,TwReporter,Organization,,108
react-trader,ccoenraets/react-trader,JavaScript,Sample application built with React and Socket.io,108,39,ccoenraets,Christophe Coenraets,User,Boston,108
react-collapse,nkbt/react-collapse,JavaScript,Component-wrapper for collapse animation with react-motion for elements with variable (and dynamic) height,108,7,nkbt,Nik Butenko,User,"Sydney, @nkbtnk",108
marky,vesparny/marky,JavaScript,react + markdown-it editor,108,4,vesparny,Alessandro Arnodo,User,Turin (Italy) & Geneva (Switzerland),222
aws-iot-device-sdk-js,aws/aws-iot-device-sdk-js,JavaScript,SDK for connecting to AWS IoT from a device using JavaScript/Node.js,108,23,aws,Amazon Web Services,Organization,"Seattle, WA",258
webpack-es6-demo,rauschma/webpack-es6-demo,JavaScript,,108,28,rauschma,Axel Rauschmayer,User,München,108
eslint-plugin-smells,elijahmanor/eslint-plugin-smells,JavaScript,ESLint rules for JavaScript Smells,108,5,elijahmanor,Elijah Manor,User,"Nashville, TN",108
jquery-tabledit,markcell/jquery-tabledit,JavaScript,Inline editor for HTML tables compatible with Bootstrap.,108,38,markcell,Celso Marques,User,Portugal,108
vue-mdl,posva/vue-mdl,JavaScript,Reusable Vue components using Material Design Lite,107,8,posva,Eduardo San Martin Morote,User,Paris,107
ember-api-actions,mike-north/ember-api-actions,JavaScript,Trigger API actions in ember.js apps,107,6,mike-north,Mike North,User,"San Jose, CA",107
sql-to-graphql,vaffel/sql-to-graphql,JavaScript,Generate a GraphQL API based on your SQL database structure,107,6,vaffel,vaffel,Organization,,107
react-native-tab-navigator,exponentjs/react-native-tab-navigator,JavaScript,"A tab bar that switches between scenes, written in JS for cross-platform support",107,24,exponentjs,Exponent,Organization,"Palo Alto, CA",307
six-speed,kpdecker/six-speed,JavaScript,ES6 polyfill vs. feature performance tests,107,9,kpdecker,Kevin Decker,User,"Chicago, IL",107
lodash-decorators,steelsojka/lodash-decorators,JavaScript,A collection of decorators using lodash at it's core.,107,4,steelsojka,Steven Sojka,User,"Omaha, NE",107
anyToJSON,lastlegion/anyToJSON,JavaScript,"Converts any data repository to JSON(or atleast strives to! :D). Currently converts flat-file JSON, flat-file CSV, REST JSON, REST CSV and Databases(via ODBC) to JSON.",107,7,lastlegion,Ganesh Iyer,User,"Emory University, Atlanta",107
postcss-time-machine,jonathantneal/postcss-time-machine,JavaScript,Fix mistakes in the design of CSS itself,107,3,jonathantneal,Jonathan Neal,User,"Orange, CA",1594
torrentflix,ItzBlitz98/torrentflix,JavaScript,Nodejs cli app to search torrent sites and stream using peerflix,106,15,ItzBlitz98,Declan,User,UK,106
rfx,ericelliott/rfx,JavaScript,Self documenting runtime interfaces.,106,6,ericelliott,Eric Elliott,User,"San Francisco, California",766
discord.js,hydrabolt/discord.js,JavaScript,A JS interface for the Discord API.,106,40,hydrabolt,Amish Shah,User,,106
kodicms-laravel,KodiCMS/kodicms-laravel,JavaScript,KodiCMS - CMS built on Laravel 5.2,106,49,KodiCMS,KodiCMS built on Laravel,Organization,"Russia, Moscow",106
sherdock,rancher/sherdock,JavaScript,Docker Image Manager,106,13,rancher,Rancher,Organization,,2376
tada,fallroot/tada,JavaScript,"Lightweight, no dependency library for lazy image load. jQuery plugin is also provided. Duplicate element check, throttled scroll handler, percent threshold supported.",106,13,fallroot,CK Moon,User,"Seoul, Korea",106
object-table,ekokotov/object-table,JavaScript,"Angular directive to easy create dynamic tables from source or URL with sorting, filtering and pagination. Smart templates and good perfomance",106,23,ekokotov,Evgeny Kokotov,User,Belarus,106
react-big-calendar,intljusticemission/react-big-calendar,JavaScript,gcal/outlook like calendar component,106,10,intljusticemission,International Justice Mission,Organization,Washington D.C.,106
thebe,oreillymedia/thebe,JavaScript,Jupyter javascript plugin for static sites,106,12,oreillymedia,"O’Reilly Media, Inc.",Organization,"Sebastopol, CA",106
v2ex.k,kokdemo/v2ex.k,JavaScript,Get a better UI of V2EX.,105,13,kokdemo,kok liu,User,China,105
pigeon-js,avxto/pigeon-js,JavaScript,Pigeon is an HTML preprocessor / template engine written in Javascript.,105,5,avxto,Alex Suyun,User,New York,105
slatemail,cperryk/slatemail,JavaScript,,105,7,cperryk,Chris Kirk,User,New York City,105
community-scripts,zaproxy/community-scripts,JavaScript,A collection of ZAP scripts provided by the community - pull requests very welcome!,105,25,zaproxy,OWASP ZAP,Organization,,824
cycle-time-travel,cyclejs/cycle-time-travel,JavaScript,A time traveling debugger for Cycle.js,105,3,cyclejs,Cycle.js,Organization,,105
matterfront,lloeki/matterfront,JavaScript,"Mattermost frontend app for OS X, Windows and Linux",105,24,lloeki,Loic Nageleisen,User,,310
react-native-gifted-listview,FaridSafi/react-native-gifted-listview,JavaScript,ListView with pull-to-refresh and infinite scrolling for Android and iOS React-Native apps,105,14,FaridSafi,Farid from Safi,User,"Paris, France",364
falcor-router-demo,Netflix/falcor-router-demo,JavaScript,A demonstration of how to build a Router for a Netflix-like application,105,21,Netflix,"Netflix, Inc.",Organization,"Los Gatos, California",8686
babel-plugin-react-autoprefix,UXtemple/babel-plugin-react-autoprefix,JavaScript,Adds vendor prefixes to styles in React elements,105,3,UXtemple,UXtemple,Organization,"Dublin, Ireland",105
graph.ql,matthewmueller/graph.ql,JavaScript,Faster and simpler technique for creating and querying GraphQL schemas,105,4,matthewmueller,Matthew Mueller,User,"San Francisco, CA",105
ember-power-select,cibernox/ember-power-select,JavaScript,The extensible select component built for ember.,105,28,cibernox,Miguel Camba,User,"London, UK",105
react-native-custom-navigation,SuperDami/react-native-custom-navigation,JavaScript,"If you want to customize navbar content, or your navbar need a fade-in effect by scrolling. This is it.",105,10,SuperDami,Chen Zhejun,User,japan,105
react-wysiwyg,bmcmahen/react-wysiwyg,JavaScript,retain some control over contenteditable input,105,34,bmcmahen,Ben McMahen,User,"Edmonton, Alberta",105
meteor-ddp-monitor,thebakeryio/meteor-ddp-monitor,JavaScript,Chrome Dev tools extension for monitoring Meteor DDP traffic,105,8,thebakeryio,The Bakery,Organization,,105
react-hardware,iamdustan/react-hardware,JavaScript,Nothing to see here.,105,0,iamdustan,Dustan Kasten,User,"Charlotte, NC",105
paulzi-form,paulzi/paulzi-form,JavaScript,JavaScript form helpers,104,18,paulzi,PaulZi,User,,104
muguet,mattallty/muguet,JavaScript,"DNS Server & Reverse proxy for Docker - Compatible with docker-compose, boot2docker and docker-machine",104,1,mattallty,Matthias ETIENNE,User,"Paris, France",104
ziliun-react-native,sonnylazuardi/ziliun-react-native,JavaScript,Ziliun article reader android app built with React Native,104,17,sonnylazuardi,Sonny Lazuardi,User,"Bandung, Indonesia",104
es6-react-mixins,angus-c/es6-react-mixins,JavaScript,universal mixin adapter for react,104,7,angus-c,angus croll,User,San Francisco,104
example-node,hubwiz/example-node,JavaScript,node.js example project.,104,92,hubwiz,,User,,104
blockbuilder,enjalot/blockbuilder,JavaScript,"Create, fork and edit d3.js code snippets for use with bl.ocks.org right in the browser, no terminal required.",104,19,enjalot,Ian Johnson,User,"San Francisco, CA",104
react-flux-simple-app,bengrunfeld/react-flux-simple-app,JavaScript,The simplest possible implementation of a React-Flux app,104,60,bengrunfeld,Ben Grunfeld,User,"San Francisco, CA",104
run-js,remixz/run-js,JavaScript,A prototyping server that just works.,104,4,remixz,Zach Bruggeman,User,"Kelowna, BC, Canada",104
api-cdi,arenanet/api-cdi,JavaScript,Collaborative Development Initiative for Public APIs,104,30,arenanet,ArenaNet,Organization,"Bellevue, WA",104
Shadowin,HeddaZ/Shadowin,JavaScript,Shadowin 影窗浏览器,支持老板键的透明浏览器外框;配合 ShadowStock 影子证券,是上班看股、个性化盯盘神器。,104,26,HeddaZ,大飞飞,User,,104
react-medium-editor,wangzuo/react-medium-editor,JavaScript,React wrapper for medium-editor,104,16,wangzuo,Wang Zuo,User,Hong Kong,320
react-weui,weui/react-weui,JavaScript,weui for react,104,16,weui,,User,,104
bwip-js,metafloor/bwip-js,JavaScript,Barcode Writer in Pure JavaScript,104,18,metafloor,metafloor,User,,104
frontend-devil,Insayt/frontend-devil,JavaScript,Devil boilerplate for html+js+css apps,104,61,Insayt,Alex Insayt,User,Rostov-on-Don,104
vot.ar,prometheus-ar/vot.ar,JavaScript,VOT.AR - Sistema de Voto Electrónico,104,74,prometheus-ar,,User,,104
functional-validators,xxllexx/functional-validators,JavaScript,Build your validation expression,104,5,xxllexx,Alex Kovalenko,User,Ukraine,104
webtorrent-hybrid,feross/webtorrent-hybrid,JavaScript,WebTorrent Hybrid Client (bundles `wrtc` for WebRTC support in node),104,15,feross,Feross Aboukhadijeh,User,"Mountain View, CA",3796
witcher3map,untamed0/witcher3map,JavaScript,Witcher 3 interactive map,104,34,untamed0,Sam,User,,104
slider,react-component/slider,JavaScript,React Slider,103,21,react-component,react-component,Organization,china,203
tus-js-client,tus/tus-js-client,JavaScript,A pure JavaScript client for the tus resumable upload protocol,103,10,tus,tus - Resumable File Uploads,Organization,The Internet,103
a1atscript,hannahhoward/a1atscript,JavaScript,The Angular 2 Polyfill,103,8,hannahhoward,Hannah Howard,User,Los angeles,103
hubtags.com,HenrikJoreteg/hubtags.com,JavaScript,"A demo app, built with Ampersand and React as a static Native Web App",103,20,HenrikJoreteg,Henrik Joreteg,User,"West Richland, WA",1476
learning-gulp,demohi/learning-gulp,JavaScript,http://boke.io/ji-yu-gulphe-webpackde-qian-duan-gong-zuo-liu/,103,29,demohi,Desen Meng,User,"Beijing, China",103
angular-atomic-notify,maxigimenez/angular-atomic-notify,JavaScript,Atomic growl notifications for angular.js applications,103,13,maxigimenez,Maxi Gimenez,User,,103
stormpath-sdk-angularjs,stormpath/stormpath-sdk-angularjs,JavaScript,User Management for AngularJS,103,42,stormpath,Stormpath,Organization,"Silicon Valley, California, USA",103
react-split-pane,tomkp/react-split-pane,JavaScript,React split-pane component,103,17,tomkp,tomkp,User,London,103
koa-generator-examples,base-n/koa-generator-examples,JavaScript,一起学koa,103,32,base-n,base-n,Organization,china,103
node-pip,mateogianolio/node-pip,JavaScript,Import and use Python packages in node.,103,0,mateogianolio,Mateo Gianolio,User,Sweden,1684
Interviews,alex-cory/Interviews,JavaScript,,102,10,alex-cory,Alex Cory,User,"Palo Alto, CA",102
jspm-server,geelen/jspm-server,JavaScript,A live-reloading development server for JSPM,102,14,geelen,Glen Maddern,User,"Melbourne, Australia",542
polyserve,PolymerLabs/polyserve,JavaScript,A simple web server for using components locally,102,19,PolymerLabs,,Organization,,102
react-transitive-number,Lapple/react-transitive-number,JavaScript,"React component to apply transition effect to numeric strings, a la old Groupon timers",102,3,Lapple,Aziz Yuldoshev,User,"Amsterdam, Netherlands",102
screamer-js,willianjusten/screamer-js,JavaScript,Screamer.js is a Vanilla Javascript plugin to provide simple yet fully customisable web notifications using Web Notifications API.,102,10,willianjusten,Willian Justen ,User,"Brazil, Rio de Janeiro",102
ghcal,IonicaBizau/ghcal,JavaScript,:calendar: See the GitHub contributions calendar of a user in the command line.,102,3,IonicaBizau,Ionică Bizău,User,Romania,4581
scroll-behavior,rackt/scroll-behavior,JavaScript,Scroll behaviors for use with history,102,7,rackt,,Organization,,17451
firenze,fahad19/firenze,JavaScript,Adapter based JavaScript ORM for Node.js and the browser,102,3,fahad19,Fahad Ibnay Heylaal,User,"Amsterdam, The Netherlands",102
react-native-simple-auth,adamjmcgrath/react-native-simple-auth,JavaScript,SimpleAuth iOS wrapper for React Native,102,15,adamjmcgrath,Adam Mcgrath,User,,102
jetbrains-react,minwe/jetbrains-react,JavaScript,React.js live templates for JetBrains editors.,102,4,minwe,Minwe LUO,User,Beijing,102
rescuetime-again,ilbonte/rescuetime-again,JavaScript,More charts using RescueTime's API - http://ilbonte.github.io/rescuetime-again/,102,5,ilbonte,Davide Bontempelli,User,"TN,Italy",102
node-repl,maxogden/node-repl,JavaScript,run a node program but also attach a repl to the same context that your code runs in so you can inspect + mess with stuff as your program is running. node 0.12/iojs and above only,102,7,maxogden,=^._.^=,User,,4885
GitXiv,samim23/GitXiv,JavaScript,GitXiv - Collaborative Open Computer Science.,102,3,samim23,samim,User,mars,399
THREE.AugmentedConsole.js,spite/THREE.AugmentedConsole.js,JavaScript,Augmented methods for console.log,102,4,spite,Jaume Sanchez,User,Barcelona,835
laravel-5-markdown-editor,yccphp/laravel-5-markdown-editor,JavaScript,Based on the markdown editor laravel 5,102,17,yccphp,袁超,User,,491
hyperscript-helpers,ohanhi/hyperscript-helpers,JavaScript,Terse syntax for hyperscript.,101,7,ohanhi,Ossi Hanhinen,User,Finland,101
h5psd,zswang/h5psd,JavaScript,Converting PSD files into mobile page,101,18,zswang,王集鹄,User,"Beijing,China",101
appmetrics,RuntimeTools/appmetrics,JavaScript,Node Application Metrics provides a foundational infrastructure for collecting resource and performance monitoring data for Node.js-based applications.,101,20,RuntimeTools,,Organization,,101
iode-js,iode-lang/iode-js,JavaScript,"an empirical, alt-js programming language inspired by Swift. Compiles to JavaScript",101,1,iode-lang,Iode,Organization,Canada,101
react-native-action-button,mastermoo/react-native-action-button,JavaScript,customizable multi-action-button component for react-native,101,13,mastermoo,Yousef Kamawall,User,,101
azure-iot-sdks,Azure/azure-iot-sdks,JavaScript,SDKs for a variety of languages and platforms that help connect devices to Microsoft Azure IoT services,101,106,Azure,Microsoft Azure,Organization,"Redmond, WA & the cloud",1007
newtab-angular,jakke-korpelainen/newtab-angular,JavaScript,"Custom New Tab -page (AngularJs, RequireJS)",101,23,jakke-korpelainen,Jakke Korpelainen,User,Finland,101
angular-boilerplate,merty/angular-boilerplate,JavaScript,"An opinionated boilerplate project for AngularJS applications, crafted with best practices in mind.",101,4,merty,Mert Yazıcıoğlu,User,,101
ember-in-viewport,dockyard/ember-in-viewport,JavaScript,Detect if an Ember View or Component is in the viewport @ 60FPS,101,15,dockyard,⚓️ DockYard ⚓️,Organization,"Boston, MA",419
kirby-visual-markdown,JonasDoebertin/kirby-visual-markdown,JavaScript,Visual Markdown Editor for Kirby CMS 2,101,11,JonasDoebertin,Jonas Döbertin,User,"Hamburg, Germany",101
Hamsters.js,austinksmith/Hamsters.js,JavaScript,100% Vanilla Javascript Multithreading & Parallel Execution Library,101,5,austinksmith,Austin Smith,User,"Indiana,USA",101
babel-plugin-add-module-exports,59naga/babel-plugin-add-module-exports,JavaScript,Fix babel/babel#2212 - Follow the babel@5 behavior for babel@6,101,2,59naga,horse_n_deer,User,神戸市(GMT+0900),101
elegant-status,inikulin/elegant-status,JavaScript,Create elegant task status for CLI.,101,1,inikulin,Ivan Nikulin,User,,441
astorage,andrew--r/astorage,JavaScript,A tiny API wrapper for localStorage,101,6,andrew--r,Andrew Romanov,User,Russian Federation,101
bem-cn,albburtsev/bem-cn,JavaScript,"Friendly BEM-style class name generator, great for React.",101,8,albburtsev,Alexander Burtsev,User,"Moscow, Russia",101
truffle,ConsenSys/truffle,JavaScript,A development framework for Ethereum,101,25,ConsenSys,ConsenSys,Organization,The Blockchain,101
115,acgotaku/115,JavaScript,Assistant for 115 to export download links to aria2-rpc,101,16,acgotaku,雪月秋水,User,Tokyo,101
CoderCalendar,nishanthvijayan/CoderCalendar,JavaScript,Android App and browser extensions for competitive programming enthusiasts. Displays a list of live & upcoming coding contests taking place in various popular competitive programming websites with the ability to add them to your google calender.,101,15,nishanthvijayan,Nishanth Vijayan,User,"Trivandrum,India",101
gitboard,adewes/gitboard,JavaScript,"An intuitve Kanban board for your Github issues, built with React.js. https://adewes.github.io/gitboard",101,7,adewes,Andreas Dewes,User,"Berlin, Germany",101
rx-redux,jas-chen/rx-redux,JavaScript,A reimplementation of redux using RxJS.,101,5,jas-chen,Jas Chen,User,Taiwan,253
zspeed,xyfcode/zspeed,JavaScript,该项目是手机游戏《开心连三国》服务器源代码,使用nodejs编写。适用于中小型项目。,101,68,xyfcode,许宇飞,User,北京海淀区知春路,101
baoz-ReactNative,Hi-Rube/baoz-ReactNative,JavaScript,baoz社区ReactNative客户端(开发版),101,24,Hi-Rube,Rube,User,"Chongqing, China",101
react-input-color,wangzuo/react-input-color,JavaScript,React input color component with hsv color picker,100,6,wangzuo,Wang Zuo,User,Hong Kong,320
haikunatorjs,Atrox/haikunatorjs,JavaScript,Generate Heroku-like random names to use in your node applications.,100,6,Atrox,Atrox,User,Austria,100
EZGUI,Ezelia/EZGUI,JavaScript,EZGUI - The missing GUI for Pixi.js and Phaser.io,100,25,Ezelia,Ezelia,Organization,Morocco,100
redux-api-middleware,agraboso/redux-api-middleware,JavaScript,Redux middleware for calling an API.,100,22,agraboso,Alberto Garcia-Raboso,User,"Toronto, ON (Canada)",100
team-directory,mapbox/team-directory,JavaScript,A rolodex for teams,100,9,mapbox,Mapbox,Organization,Washington DC,993
BlxScript,bramblex/BlxScript,JavaScript,自己造的简单脚本语言,100,6,bramblex,乔健,User,,100
node-telegram-bot,depoio/node-telegram-bot,JavaScript,Client wrapper for Telegram Bot API (Under heavy development),100,26,depoio,,Organization,,100
tooltip,react-component/tooltip,JavaScript,React Tooltip,100,20,react-component,react-component,Organization,china,203
interlock,inversepath/interlock,JavaScript,INTERLOCK - file encryption front end,100,12,inversepath,Inverse Path,Organization,"Trieste, Italy",100
numbro,foretagsplatsen/numbro,JavaScript,A JS library for number formatting,100,35,foretagsplatsen,Företagsplatsen AB,Organization,SWEDEN,100
lobbyradar,lobbyradar/lobbyradar,JavaScript,ZDF Lobbyradar,100,38,lobbyradar,ZDF Lobbyradar,Organization,,100
2015-slides,PyCon/2015-slides,JavaScript,Slides and talk assets from PyCon 2015,100,22,PyCon,PyCon,Organization,,100
heap-analyzer,tenderlove/heap-analyzer,JavaScript,A heap analyzer for MRI that isn't very good.,100,11,tenderlove,Aaron Patterson,User,Seattle,100
ThreeJSEditorExtension,spite/ThreeJSEditorExtension,JavaScript,Three.js Editor Extension for Google Chrome,100,9,spite,Jaume Sanchez,User,Barcelona,835
fresco,facebook/fresco,Java,An Android library for managing images and the memory they use.,7385,2092,facebook,Facebook,Organization,"Menlo Park, California",61260
leakcanary,square/leakcanary,Java,A memory leak detection library for Android and Java.,6794,1009,square,Square,Organization,,13457
HomeMirror,HannahMitt/HomeMirror,Java,Android application powering the mirror in my house,6274,406,HannahMitt,Hannah Mittelstaedt,User,Brooklyn,6274
android-UniversalMusicPlayer,googlesamples/android-UniversalMusicPlayer,Java,"This sample shows how to implement an audio media app that works across multiple form factors and provide a consistent user experience on Android phones, tablets, Auto, Wear and Cast devices",4364,1188,googlesamples,Google Samples,Organization,,13082
cheesesquare,chrisbanes/cheesesquare,Java,Demos the new Android Design library.,4343,964,chrisbanes,Chris Banes,User,"London, UK",4343
plaid,nickbutcher/plaid,Java,,3926,607,nickbutcher,,User,London,3926
MaterialViewPager,florent37/MaterialViewPager,Java,A Material Design ViewPager easy to use library,3826,724,florent37,Florent CHAMPIGNY,User,France,8281
stetho,facebook/stetho,Java,"Stetho is a debug bridge for Android applications, enabling the powerful Chrome Developer Tools and much more.",3797,335,facebook,Facebook,Organization,"Menlo Park, California",61260
MaterialDrawer,mikepenz/MaterialDrawer,Java,"The flexible, easy to use, all in one drawer library for your Android project.",3739,713,mikepenz,Mike Penz,User,"Linz, Austria",4219
Material-Animations,lgvalle/Material-Animations,Java,Android Transition animations explanation with examples.,3588,560,lgvalle,Luis G. Valle,User,London,4207
AppIntro,PaoloRotolo/AppIntro,Java,Make a cool intro for your Android app.,3260,465,PaoloRotolo,Paolo Rotolo,User,"Bari, Italy",3395
android-topeka,googlesamples/android-topeka,Java,A fun to play quiz that showcases material design on Android,2846,628,googlesamples,Google Samples,Organization,,13082
aerosolve,airbnb/aerosolve,Java,A machine learning package built for humans.,2623,263,airbnb,Airbnb,Organization,San Francisco,8936
anthelion,yahoo/anthelion,Java,Anthelion is a plugin for Apache Nutch to crawl semantic annotations within HTML pages,2607,723,yahoo,Yahoo Inc.,Organization,"Sunnyvale, California",10798
hackpad,dropbox/hackpad,Java,Hackpad is a web-based realtime wiki.,2485,285,dropbox,Dropbox,Organization,San Francisco,3557
Side-Menu.Android,Yalantis/Side-Menu.Android,Java,Side menu with some categories to choose.,2468,843,Yalantis,Yalantis,Organization,"Ukraine, Dnepropetrovsk",28436
UltimateRecyclerView,cymcsg/UltimateRecyclerView,Java,"A RecyclerView(advanced and flexible version of ListView in Android) with refreshing,loading more,animation and many other features.",2413,580,cymcsg,MarshalChen,User,"Beijing,China",2413
DroidPlugin,Qihoo360/DroidPlugin,Java,"A plugin framework on android,Run any third-party apk without installation, modification or repackage",2417,973,Qihoo360,Qihoo 360,Organization,"Beijing, China",2937
logger,orhanobut/logger,Java,"Simple, pretty and powerful logger for android",2298,412,orhanobut,Orhan Obut,User,Berlin,3858
dexposed,alibaba/dexposed,Java,dexposed enable 'god' mode for single android application.,2192,611,alibaba,Alibaba,Organization,"Hangzhou, China",4994
actor-platform,actorapp/actor-platform,Java,Actor Messaging platform,2179,387,actorapp,,Organization,,2179
SmartTabLayout,ogaclejapan/SmartTabLayout,Java,A custom ViewPager title strip which gives continuous feedback to the user when scrolling,2111,399,ogaclejapan,ogaclejapan,User,Japan,2744
Android-Tips,tangqi92/Android-Tips,Java,An awesome list of tips for android.,2007,514,tangqi92,Qi Tang,User,Nanjing China,3447
Phoenix,Yalantis/Phoenix,Java,Phoenix Pull-to-Refresh,1984,571,Yalantis,Yalantis,Organization,"Ukraine, Dnepropetrovsk",28436
sqlbrite,square/sqlbrite,Java,A lightweight wrapper around SQLiteOpenHelper which introduces reactive stream semantics to SQL operations.,1973,157,square,Square,Organization,,13457
AVLoadingIndicatorView,81813780/AVLoadingIndicatorView,Java,Nice loading animations for Android,1976,434,81813780,jack wang,User,"Beijing, China",1976
Context-Menu.Android,Yalantis/Context-Menu.Android,Java,You can easily add awesome animated context menu to your app.,1930,596,Yalantis,Yalantis,Organization,"Ukraine, Dnepropetrovsk",28436
ExplosionField,tyrantgit/ExplosionField,Java,explosive dust effect for views,1902,369,tyrantgit,,User,,2307
FlyRefresh,race604/FlyRefresh,Java,The implementation of https://dribbble.com/shots/2067564-Replace,1895,400,race604,,User,"Beijing, China",4036
LoganSquare,bluelinelabs/LoganSquare,Java,Screaming fast JSON parsing and serialization library for Android.,1851,167,bluelinelabs,BlueLine Labs,Organization,"Chicago, IL",1851
ViewInspector,xfumihiro/ViewInspector,Java,View Inspection Toolbar for Android Development,1843,149,xfumihiro,Fumihiro Xue,User,,1843
material-theme-jetbrains,ChrisRM/material-theme-jetbrains,Java,JetBrains theme of Material Theme,1707,75,ChrisRM,Chris Magnussen,User,Norway,1707
RxBinding,JakeWharton/RxBinding,Java,RxJava binding APIs for Android's UI widgets.,1658,128,JakeWharton,Jake Wharton,User,"Pittsburgh, PA",3450
SimplifyReader,SkillCollege/SimplifyReader,Java,一款基于Google Material Design设计开发的Android客户端,包括新闻简读,图片浏览,视频爽看 ,音乐轻听以及二维码扫描五个子模块。项目采取的是MVP架构开发,由于还是摸索阶段,可能不是很规范。但基本上应该是这么个套路,至少我个人认为是这样的~恩,就是这样的!,1643,619,SkillCollege,Obsessive,User,"JiangSu,SuZhou",1643
WeChatLuckyMoney,geeeeeeeeek/WeChatLuckyMoney,Java,":moneybag: 微信抢红包插件, 帮助你在微信群聊抢红包时战无不胜. An Android app that helps you snatch virtual red envelopes in WeChat group chat. ",1607,493,geeeeeeeeek,Zhongyi Tong,User,"Shanghai, China",2204
android-percent-support-lib-sample,JulienGenoud/android-percent-support-lib-sample,Java,Just a sample of the android percent support lib,1606,397,JulienGenoud,Julien Genoud,User,Beijing,1606
bottomsheet,Flipboard/bottomsheet,Java,Android component which presents a dismissible view from the bottom of the screen,1594,225,Flipboard,Flipboard,Organization,"Palo Alto, CA",9004
Material-Movies,saulmm/Material-Movies,Java,An application about movies with material design,1571,376,saulmm,Saul Molinero,User,"Vigo, Spain",4157
AndroidAutoLayout,hongyangAndroid/AndroidAutoLayout,Java,Android屏幕适配方案,直接填写设计图上的像素尺寸即可完成适配,最大限度解决适配问题。,1557,448,hongyangAndroid,张鸿洋,User,"Xian,China",8055
material-icon-lib,code-mc/material-icon-lib,Java,Library containing over 1000 material vector icons that can be easily used as Drawable or as a standalone View.,1521,114,code-mc,,User,,2498
GuillotineMenu-Android,Yalantis/GuillotineMenu-Android,Java,"Neat library, that provides a simple way to implement guillotine-styled animation",1505,296,Yalantis,Yalantis,Organization,"Ukraine, Dnepropetrovsk",28436
archi,ivacf/archi,Java,"Repository that showcases 3 Android app architectures: 'Standard Android', MVP and MVVM. The exact same app is built 3 times following the different patterns.",1458,174,ivacf,Ivan Carballo ,User,Brighton ,1458
HTextView,hanks-zyh/HTextView,Java,Animation effects to TextView,1437,172,hanks-zyh,张玉涵,User,Beijing,2679
binnavi,google/binnavi,Java,"BinNavi is a binary analysis IDE that allows to inspect, navigate, edit and annotate control flow graphs and call graphs of disassembled code.",1422,222,google,Google,Organization,,70104
richeditor-android,wasabeef/richeditor-android,Java,RichEditor for Android is a beautiful Rich Text WYSIWYG Editor for Android.,1408,253,wasabeef,Daichi Furiya,User,"Tokyo, Japan",4727
AndroidWiFiADB,pedrovgs/AndroidWiFiADB,Java,"IntelliJ/AndroidStudio plugin which provides a button to connect your Android device over WiFi to install, run and debug your applications without a USB connected.",1382,131,pedrovgs,Pedro Vicente Gómez Sánchez,User,Madrid,2386
TourGuide,worker8/TourGuide,Java,TourGuide is an Android library that aims to provide an easy way to add pointers with animations over a desired Android View,1383,192,worker8,Tan Jun Rong,User,"Meguro, Tokyo, Japan",1383
android-advancedrecyclerview,h6ah4i/android-advancedrecyclerview,Java,"RecyclerView extension library which provides advanced features. (ex. Google's Inbox app like swiping, Play Music app like drag and drop sorting)",1363,269,h6ah4i,Haruki Hasegawa,User,"Tokyo, Japan",1813
TextSurface,elevenetc/TextSurface,Java,A little animation framework which could help you to show message in a nice looking way,1370,148,elevenetc,Eugene Levenetc,User,"Russia, Saint-Petersburg",2330
Blurry,wasabeef/Blurry,Java,Blurry is an easy blur library for Android,1363,151,wasabeef,Daichi Furiya,User,"Tokyo, Japan",4727
wechat,motianhuo/wechat,Java,"A High Copy WeChat ,SNS APP (高仿微信)",1358,622,motianhuo,Juns Allen,User,Beijing . China,1787
hawk,orhanobut/hawk,Java,Secure Simple Key-Value Storage for Android,1330,136,orhanobut,Orhan Obut,User,Berlin,3858
Sunshine-Version-2,udacity/Sunshine-Version-2,Java,The official repository for Developing Android Apps,1285,2341,udacity,Udacity,Organization,"Mountain View, CA",1670
Android-Best-Practices,tianzhijiexian/Android-Best-Practices,Java,Android最佳实践示例,1270,221,tianzhijiexian,Kale,User,China,2645
FloatingActionButton,Clans/FloatingActionButton,Java,Android Floating Action Button based on Material Design specification,1257,295,Clans,Dmytro Tarianyk,User,,1257
scissors,lyft/scissors,Java,✂ Android image cropping library,1246,114,lyft,Lyft,Organization,"San Francisco, CA",3054
SpringIndicator,chenupt/SpringIndicator,Java,A spring indicator like Morning Routine guide.,1238,286,chenupt,Chenupt,User,,2179
FlipViewPager.Draco,Yalantis/FlipViewPager.Draco,Java,This project aims to provide a working page flip implementation for usage in ListView.,1220,222,Yalantis,Yalantis,Organization,"Ukraine, Dnepropetrovsk",28436
keywhiz,square/keywhiz,Java,A system for distributing and managing secrets,1220,88,square,Square,Organization,,13457
mysql_perf_analyzer,yahoo/mysql_perf_analyzer,Java,MySQL Performance Analyzer,1209,152,yahoo,Yahoo Inc.,Organization,"Sunnyvale, California",10798
Euclid,Yalantis/Euclid,Java,User Profile Interface Animation,1201,289,Yalantis,Yalantis,Organization,"Ukraine, Dnepropetrovsk",28436
shimmer-android,facebook/shimmer-android,Java,"An easy, flexible way to add a shimmering effect to any view in an Android app.",1204,229,facebook,Facebook,Organization,"Menlo Park, California",61260
Meizhi,drakeet/Meizhi,Java,"gank.io unofficial client, RxJava & Retrofit",1200,360,drakeet,drakeet,User,"Xiamen, China",2863
ProductTour,matrixxun/ProductTour,Java,"ProductTour is android sample project implementing a parallax effect welcome page using ViewPager and PageTransformer, similar to the one found in Google's app like Sheet, Drive, Docs...",1202,189,matrixxun,xwhy,User,,1202
animate,hitherejoe/animate,Java,An application demoing meaningful motion on Android,1194,149,hitherejoe,Joe Birch,User,"Brighton, UK",3313
network-connection-class,facebook/network-connection-class,Java,Listen to current network traffic in the app and categorize the quality of the network.,1180,179,facebook,Facebook,Organization,"Menlo Park, California",61260
BGARefreshLayout-Android,bingoogolapple/BGARefreshLayout-Android,Java,多种下拉刷新效果、上拉加载更多、可配置自定义头部广告位,1176,352,bingoogolapple,王浩,User,"Chengdu, China",2379
StickerCamera,Skykai521/StickerCamera,Java,"This is an Android application with camera,picture cropping,collage sticking and tagging.贴纸标签相机,功能:拍照,相片裁剪,给图片贴贴纸,打标签。",1161,351,Skykai521,达庆凯,User,上海,1161
Nuwa,jasonross/Nuwa,Java,"Nuwa, pure java implementation, can hotfix your android application.",1156,199,jasonross,Jason Ross,User,ShangHai,1156
EffectiveAndroid,rallat/EffectiveAndroid,Java,This sample project shows how to apply MVP and Clean architecture on an Android app,1152,99,rallat,Israel Ferrer Camacho,User,San Francisco,1152
dex2jar,pxb1988/dex2jar,Java,Tools to work with android .dex and java .class files,1145,340,pxb1988,Bob Pan,User,"Hangzhou, China",1145
android-testing-templates,googlesamples/android-testing-templates,Java,,1133,132,googlesamples,Google Samples,Organization,,13082
FlycoTabLayout,H07000223/FlycoTabLayout,Java,An Android TabLayout Lib,1124,207,H07000223,Flyco,User,"Shanghai, China",2718
AndroidFillableLoaders,JorgeCastilloPrz/AndroidFillableLoaders,Java,Android fillable progress view working with SVG paths. This is a nice option too if you want to create an interesting branding logo for your app. Based on the iOS project: https://github.com/poolqf/FillableLoaders,1127,142,JorgeCastilloPrz,Jorge Castillo,User,Madrid,2193
material-calendarview,prolificinteractive/material-calendarview,Java,A Material design back port of Android's CalendarView,1122,237,prolificinteractive,Prolific Interactive,Organization,"Brooklyn, San Francisco",1122
AndResGuard,shwenzhang/AndResGuard,Java,proguard resource for Android by wechat team,1120,321,shwenzhang,,User,,1120
PersistentSearch,Quinny898/PersistentSearch,Java,A clone of the Google Now/Maps/Play persistent search bar,1118,246,Quinny898,Kieron Quinn,User,"Ormskirk & Lancaster, UK",1118
blade,biezhi/blade,Java,":rocket: A Simple, Elegant Java Web Framework! website →",1110,170,biezhi,王爵,User,"ShangHai, China",1383
Timber,naman14/Timber,Java,Material Design Music Player,1113,295,naman14,Naman Dwivedi,User,"New Delhi, India",2475
AndroidRubberIndicator,LyndonChin/AndroidRubberIndicator,Java,A rubber indicator,1112,171,LyndonChin,liangfei,User,"Hangzhou, Zhejiang, China",2548
device-year-class,facebook/device-year-class,Java,A library that analyzes an Android device's specifications and calculates which year the device would be considered 'high end”.,1096,106,facebook,Facebook,Organization,"Menlo Park, California",61260
Carbon,ZieIony/Carbon,Java,"Material Design implementation for Android 2.2+. Shadows, ripples, vectors, fonts, animations, widgets, rounded corners and more.",1093,160,ZieIony,,User,,1341
Android-Boilerplate,hitherejoe/Android-Boilerplate,Java,Android Boilerplate project using an Espresso Test Module and Robolectric Unit Tests,1087,222,hitherejoe,Joe Birch,User,"Brighton, UK",3313
ElasticDownload,Tibolte/ElasticDownload,Java,"We are not Gif makers, We are developers",1083,190,Tibolte,Thibault Guégan,User,Paris,1594
Gaffer,GovernmentCommunicationsHeadquarters/Gaffer,Java,A large-scale graph database,1067,239,GovernmentCommunicationsHeadquarters,GovernmentCommunicationsHeadquarters,Organization,UK,1067
500px-android-blur,500px/500px-android-blur,Java,,1064,145,500px,500px,Organization,"Toronto, ON, Canada",1064
squidb,yahoo/squidb,Java,SquiDB is a SQLite database layer for Android,1063,100,yahoo,Yahoo Inc.,Organization,"Sunnyvale, California",10798
WaveSwipeRefreshLayout,recruit-lifestyle/WaveSwipeRefreshLayout,Java,,1058,247,recruit-lifestyle,Recruit Lifestyle Co. Ltd.,Organization,"Tokyo, Japan",2255
AirMapView,airbnb/AirMapView,Java,A view abstraction to provide a map user interface with various underlying map providers,1040,104,airbnb,Airbnb,Organization,San Francisco,8936
xUtils3,wyouflf/xUtils3,Java,"android orm, bitmap, http, view inject... ",1022,444,wyouflf,wyouflf,User,,1022
Dexter,Karumi/Dexter,Java,Android library that simplifies the process of requesting permissions at runtime.,1016,93,Karumi,Karumi,Organization,"Madrid, Spain",2202
Android-ItemTouchHelper-Demo,iPaulPro/Android-ItemTouchHelper-Demo,Java,Basic example of using ItemTouchHelper to add drag & drop and swipe-to-dismiss to RecyclerView.,1023,166,iPaulPro,Paul Burke,User,"Brookyln, NY",1023
FlowingDrawer,mxn21/FlowingDrawer,Java,swipe right to display drawer with flowing & bouncing effects.,1023,176,mxn21,mxn,User,Beijing,1486
incubator-zeppelin,apache/incubator-zeppelin,Java,Mirror of Apache Zeppelin (Incubating),1015,489,apache,The Apache Software Foundation,Organization,,3728
AndroidSweetSheet,zzz40500/AndroidSweetSheet,Java,一个富有动感的Sheet(选择器),1008,192,zzz40500,轻微,User,Shanghai China,2914
AndroidTagGroup,2dxgujun/AndroidTagGroup,Java,:four_leaf_clover:A beautiful android tag group widget.,1008,216,2dxgujun,Jun Gu,User,Shanghai,1008
MaterialShowcaseView,deano2390/MaterialShowcaseView,Java,A Material Design themed ShowcaseView for Android,998,137,deano2390,Dean Wild,User,"Oxford, UK",998
Backboard,tumblr/Backboard,Java,A motion-driven animation framework for Android.,996,87,tumblr,Tumblr,Organization,New York City,1944
qksms,qklabs/qksms,Java,The most beautiful SMS messenger app for Android,984,198,qklabs,QK Labs,Organization,,984
loadtoast,code-mc/loadtoast,Java,Pretty material design toasts with feedback animations,977,154,code-mc,,User,,2498
SimpleCropView,IsseiAoki/SimpleCropView,Java,A simple image cropping library for Android.,972,172,IsseiAoki,Issei Aoki,User,Tokyo,972
Knife,mthli/Knife,Java,Knife is a rich text editor component for writing documents in Android.,960,91,mthli,李明亮,User,Beijing,1567
AndroidTreeView,bmelnychuk/AndroidTreeView,Java,AndroidTreeView. TreeView implementation for android,955,188,bmelnychuk,Bogdan Melnychuk,User,"Lviv, Ukraine",955
SublimePicker,vikramkakkar/SublimePicker,Java,"A material-styled android view that provisions picking of a date, time & recurrence option, all from a single user-interface. ",952,130,vikramkakkar,Vikram,User,,952
Taurus,Yalantis/Taurus,Java,A little more fun for the pull-to-refresh interaction. ,947,222,Yalantis,Yalantis,Organization,"Ukraine, Dnepropetrovsk",28436
DragTopLayout,chenupt/DragTopLayout,Java,Drag down to show a view on the top.,941,228,chenupt,Chenupt,User,,2179
CoordinatorBehaviorExample,saulmm/CoordinatorBehaviorExample,Java,,935,140,saulmm,Saul Molinero,User,"Vigo, Spain",4157
okhttp-utils,hongyangAndroid/okhttp-utils,Java,okhttp的辅助类,920,422,hongyangAndroid,张鸿洋,User,"Xian,China",8055
CircleRefreshLayout,tuesda/CircleRefreshLayout,Java,a custom pull-to-refresh layout which contains a interesting animation,915,201,tuesda,ZhangLei,User,Shenzhen,1495
mosby,sockeqwe/mosby,Java,A Model-View-Presenter library for modern Android apps,911,151,sockeqwe,Hannes Dorfmann,User,Munich,1270
DeepLinkDispatch,airbnb/DeepLinkDispatch,Java,"A simple, annotation-based library for making deep link handling better on Android",906,71,airbnb,Airbnb,Organization,San Francisco,8936
android-classyshark,google/android-classyshark,Java,Android executables browser,904,84,google,Google,Organization,,70104
Parse-SDK-Android,ParsePlatform/Parse-SDK-Android,Java,Parse SDK for Android,902,162,ParsePlatform,Parse,Organization,"Menlo Park, CA",4296
StarWars.Android,Yalantis/StarWars.Android,Java,This component implements transition animation to crumble view into tiny pieces.,898,130,Yalantis,Yalantis,Organization,"Ukraine, Dnepropetrovsk",28436
vector-compat,wnafee/vector-compat,Java,A support library for VectorDrawable and AnimatedVectorDrawable classes introduced in Lollipop,890,100,wnafee,Wael N,User,,890
TransitionPlayer,linfaxin/TransitionPlayer,Java,Android library to control Transition animates. A simple way to create a interactive animation.,891,182,linfaxin,林法鑫,User,上海,891
RecyclerViewPager,lsjwzh/RecyclerViewPager,Java,A ViewPager implemention base on RecyclerView's code. Support fling operation like gallary.,884,174,lsjwzh,lsjwzh,User,Beijing China,1546
vectalign,bonnyfone/vectalign,Java,Tool for create complex morphing animations using VectorDrawables (allows morphing between any pair of SVG image),884,59,bonnyfone,Stefano Bonetta,User,,884
Curved-Fab-Reveal-Example,saulmm/Curved-Fab-Reveal-Example,Java,,884,134,saulmm,Saul Molinero,User,"Vigo, Spain",4157
ArcAnimator,asyl/ArcAnimator,Java,ArcAnimator helps to create arc transition animation: 2.3.+,880,114,asyl,Asyl,User,,880
MasteringAndroidDataBinding,LyndonChin/MasteringAndroidDataBinding,Java,A comprehensive tutorial for Android Data Binding,879,155,LyndonChin,liangfei,User,"Hangzhou, Zhejiang, China",2548
floatingsearchview,arimorty/floatingsearchview,Java,A search view that implements a floating search bar also known as persistent search,875,141,arimorty,Ari,User,NYC,875
android_design_patterns_analysis,simple-android-framework/android_design_patterns_analysis,Java,Android源码设计模式分析项目,870,739,simple-android-framework,,Organization,,870
MaterialSearchView,MiguelCatalan/MaterialSearchView,Java,Cute library to implement SearchView in a Material Design Approach,868,114,MiguelCatalan,Miguel Catalan Bañuls,User,Madrid,868
Android-Download-Manager-Pro,majidgolshadi/Android-Download-Manager-Pro,Java,Android/Java download manager library help you to download files in parallel mechanism in some chunks.,865,161,majidgolshadi,Majid Golshadi,User,,865
labelview,linger1216/labelview,Java,"Sometimes, we need to show a label above an ImageView or any other views. Well, LabelView will be able to help you. It's easy to implement as well!",856,192,linger1216,Jingwei,User,Shang hai,856
android-pathview,geftimov/android-pathview,Java,Android view with both path from constructed path or from svg.,849,166,geftimov,Georgi Eftimov,User,"Sofia, Bulgaria",1887
MultiImageSelector,lovetuzitong/MultiImageSelector,Java,Image selector for Android device. Support single choice and multi-choice.,846,281,lovetuzitong,Nereo,User,,846
groovy,apache/groovy,Java,Mirror of Apache Groovy,847,266,apache,The Apache Software Foundation,Organization,,3728
Android-TextView-LinkBuilder,klinker24/Android-TextView-LinkBuilder,Java,Insanely easy way to define clickable links within a TextView.,844,97,klinker24,Luke Klinker,User,Iowa,844
android-design-support-lib-sample,swissonid/android-design-support-lib-sample,Java,Just Sample how to use the android design support lib,834,143,swissonid,Patrice Müller,User,Zürich,834
PermissionsDispatcher,hotchemi/PermissionsDispatcher,Java,Provides simple annotation-based API to handle runtime permissions in Marshmallow.,814,120,hotchemi,Shintaro Katafuchi,User,"Tokyo, Japan",1202
Highlight,hongyangAndroid/Highlight,Java,一个用于app指向性功能高亮的库,799,158,hongyangAndroid,张鸿洋,User,"Xian,China",8055
orbit,electronicarts/orbit,Java,Orbit - Build distributed and scalable online services,798,75,electronicarts,Electronic Arts Inc,Organization,Worldwide,798
android-shapeLoadingView,zzz40500/android-shapeLoadingView,Java,高仿新版58 加载动画,798,232,zzz40500,轻微,User,Shanghai China,2914
ThreeTenABP,JakeWharton/ThreeTenABP,Java,An adaptation of the JSR-310 backport for Android.,795,21,JakeWharton,Jake Wharton,User,"Pittsburgh, PA",3450
Dragger,ppamorim/Dragger,Java,Animate your activity!,793,111,ppamorim,Pedro Paulo Amorim,User,Joinville - SC,1217
Paper,pilgr/Paper,Java,Fast and simple data storage library for Android,790,66,pilgr,Aleksey Masny,User,Sweden,790
glide-transformations,wasabeef/glide-transformations,Java,An Android transformation library providing a variety of image transformations for Glide.,780,130,wasabeef,Daichi Furiya,User,"Tokyo, Japan",4727
NavigationDrawer-MaterialDesign,rudsonlive/NavigationDrawer-MaterialDesign,Java,Library Navigation drawer material design,777,221,rudsonlive,Rudson Lima,User,Fortaleza - CE,777
AndroidScrollingImageView,Q42/AndroidScrollingImageView,Java,An Android view for displaying repeated continuous side scrolling images. This can be used to create a parallax animation effect.,777,103,Q42,Q42,Organization,"The Hague, Amsterdam & Mountain View",912
Android-RoundCornerProgressBar,akexorcist/Android-RoundCornerProgressBar,Java,Round Corner Progress Bar Library for Android,776,162,akexorcist,Akexorcist,User,"Bangkok, Thailand",776
material-animated-switch,glomadrian/material-animated-switch,Java,A material Switch with icon animations and color transitions,776,100,glomadrian,Adrián Lomas,User,"Barcelona, Spain",2772
BuildingBlocks,tangqi92/BuildingBlocks,Java,Building Blocks - To help you quickly and easily take to build their own applications.,775,207,tangqi92,Qi Tang,User,Nanjing China,3447
Android-StepsView,anton46/Android-StepsView,Java,Android-StepsView,765,140,anton46,Anton Nurdin Tuhadiansyah,User,Jakarta,1004
material-sheet-fab,gowong/material-sheet-fab,Java,Library that implements the floating action button to sheet transition from Google's Material Design documentation.,761,114,gowong,Gordon Wong,User,,761
MetaballLoading,dodola/MetaballLoading,Java,A 2d metaball loading,762,154,dodola,dodola,User,Beijing,1841
mr4c,google/mr4c,Java,,760,205,google,Google,Organization,,70104
tray,grandcentrix/tray,Java,a SharedPreferences replacement for Android with multiprocess support,757,64,grandcentrix,grandcentrix GmbH,Organization,"Cologne, Germany",757
ToggleDrawable,renaudcerrato/ToggleDrawable,Java,Easy drawable animation using beziers curves. ,730,74,renaudcerrato,Cerrato Renaud ,User,,837
MaterialTransitions,toddway/MaterialTransitions,Java,Sample material transition animations for Android,755,128,toddway,Todd Way,User,"Kansas City, MO",755
RxLifecycle,trello/RxLifecycle,Java,Lifecycle handling APIs for Android apps using RxJava,752,46,trello,Trello,Organization,,927
android-historian,mwolfson/android-historian,Java,A demo of the Android Material Design Support libraries,749,122,mwolfson,Mike Wolfson,User,"Phoenix, AZ",749
Search-View-Layout,sahildave/Search-View-Layout,Java,Search View Layout like Lollipop Dialer,748,104,sahildave,Sahil Dave,User,India,748
bubbles-for-android,txusballesteros/bubbles-for-android,Java,Bubbles for Android is an Android library to provide chat heads capabilities on your apps. With a fast way to integrate with your development.,727,105,txusballesteros,Txus Ballesteros,User,"Barcelona, Spain",1792
zaproxy,zaproxy/zaproxy,Java,The OWASP ZAP core project,719,166,zaproxy,OWASP ZAP,Organization,,824
MultipleTheme,dersoncheng/MultipleTheme,Java,Android换肤/夜间模式的Android框架,配合theme和换肤控件框架可以做到无缝切换换肤(无需重启应用和当前页面)。 This framework of Android app support multiple theme(such as day/night mode) and needn’t finish current application or current activity when you switch theme-mode.,722,161,dersoncheng,成雳,User,Shanghai,722
android-player,geftimov/android-player,Java,Android animation when entering new screen.,720,116,geftimov,Georgi Eftimov,User,"Sofia, Bulgaria",1887
DownloadProgressBar,panwrona/DownloadProgressBar,Java,DownloadProgressBar is an android library that delivers awesome custom progress bar. You can manipulate it's state in every way.,720,117,panwrona,Mariusz Brona,User,"Wrocław, Poland",720
AndroidEventBus,bboyfeiyu/AndroidEventBus,Java,"A lightweight eventbus library for android, simplifies communication between Activities, Fragments, Threads, Services, etc.",715,245,bboyfeiyu,Mr.Simple,User,china,5589
AnimatedCircleLoadingView,jlmd/AnimatedCircleLoadingView,Java,An animated circle loading view,707,127,jlmd,José Luis Martín,User,"Murcia, Spain",1166
RxPermissions,tbruyelle/RxPermissions,Java,Android runtime permissions powered by RxJava,698,42,tbruyelle,Thomas Bruyelle,User,"Montpellier, France",698
android-percent-support-extend,hongyangAndroid/android-percent-support-extend,Java,a extends lib for android-percent-support(Google百分比布局库的扩展),693,243,hongyangAndroid,张鸿洋,User,"Xian,China",8055
MaterialDateTimePicker,wdullaer/MaterialDateTimePicker,Java,Pick a date or time on Android in style,689,197,wdullaer,,User,,689
DatePicker,AigeStudio/DatePicker,Java,Useful and powerful date picker for android,690,193,AigeStudio,Aige,User,"CQ,China",1721
android-card-slide-panel,xmuSistone/android-card-slide-panel,Java,模仿探探首页卡片左右滑动效果,滑动流畅,卡片view无限重生,684,150,xmuSistone,sistone,User,"Hangzhou, Zhejiang, China",1947
Once,jonfinerty/Once,Java,A small Android library to manage one-off operations.,685,39,jonfinerty,Jon Finerty,User,,685
loading-balls,glomadrian/loading-balls,Java,A highly configurable library to do loading progress with animated balls,683,82,glomadrian,Adrián Lomas,User,"Barcelona, Spain",2772
folding-plugin,dmytrodanylyk/folding-plugin,Java,Android File Grouping Plugin,680,74,dmytrodanylyk,Dmytro Danylyk,User,"Ukraine, Lviv",1761
LikeAnimation,frogermcs/LikeAnimation,Java,Android like button with delightful star animation inspired by Twitter's heart. See blog post for description.,667,77,frogermcs,Mirosław Stanek,User,Cracow,1087
Notes,lguipeng/Notes,Java,Material Design Notes App,676,245,lguipeng,lguipeng,User,Shenzhen China,1291
PhotoPicker,donglua/PhotoPicker,Java,类似微信的图片选择、预览组件,674,171,donglua,东东东鲁,User,广东广州,674
superCleanMaster,joyoyao/superCleanMaster,Java,一键清理 开源版,包括内存加速,缓存清理,自启管理,软件管理等。,672,354,joyoyao,joyo,User,shanghai,672
material-camera,afollestad/material-camera,Java,"One of the most difficult APIs on Android, made easy in a small library.",663,85,afollestad,Aidan Follestad,User,"Minneapolis, Minnesota",2553
WaveLoadingView,tangqi92/WaveLoadingView,Java, An Android library providing to realize wave loading effect.,665,96,tangqi92,Qi Tang,User,Nanjing China,3447
shadow-layout,dmytrodanylyk/shadow-layout,Java,Android Shadow Layout,663,93,dmytrodanylyk,Dmytro Danylyk,User,"Ukraine, Lviv",1761
MaterialLoadingProgressBar,lsjwzh/MaterialLoadingProgressBar,Java,MaterialLoadingProgressBar provide a styled ProgressBar which looks like SwipeRefreshLayout's loading indicator(support-v4 v21+),662,137,lsjwzh,lsjwzh,User,Beijing China,1546
MusicPlayerView,iammert/MusicPlayerView,Java,Android custom view and progress for music player,662,149,iammert,Mert Şimşek,User,Eskisehir/Turkey,2202
AndroidChangeSkin,hongyangAndroid/AndroidChangeSkin,Java,一种完全无侵入的换肤方式,支持插件式和应用内,无需重启Activity.,660,140,hongyangAndroid,张鸿洋,User,"Xian,China",8055
BGABadgeView-Android,bingoogolapple/BGABadgeView-Android,Java,Android徽章控件,656,128,bingoogolapple,王浩,User,"Chengdu, China",2379
HollyViewPager,florent37/HollyViewPager,Java,"A different beautiful ViewPager, with quick swipe controls",649,94,florent37,Florent CHAMPIGNY,User,France,8281
android-slidingactivity,klinker41/android-slidingactivity,Java,Android library which allows you to swipe down from an activity to close it.,645,100,klinker41,Jacob Klinker,User,Iowa,645
santa-tracker-android,google/santa-tracker-android,Java,,644,134,google,Google,Organization,,70104
MaterializeYourApp,antoniolg/MaterializeYourApp,Java,Example of a Material App for Android,643,198,antoniolg,Antonio Leiva,User,Madrid (Spain),643
android-vertical-slide-view,xmuSistone/android-vertical-slide-view,Java,"vertical slide to switch to the next fragment page, looks like vertical viewpager",643,130,xmuSistone,sistone,User,"Hangzhou, Zhejiang, China",1947
google-services,googlesamples/google-services,Java,A collection of quickstart samples demonstrating the Google APIs for Android and iOS,637,738,googlesamples,Google Samples,Organization,,13082
fab,shell-software/fab,Java,Floating Action Button Library for Android,637,148,shell-software,Shell Software,User,"Kyiv, Kyiv City, Ukraine",637
FileDownloader,lingochamp/FileDownloader,Java,Multitask、Breakpoint-resume、High-concurrency、Simple to use、Single-process,562,70,lingochamp,LingoChamp Inc.,Organization,"Shanghai, China",1524
seldon-server,SeldonIO/seldon-server,Java,Enterprise machine learning platform for prediction and recommendation on Apache Spark.,633,107,SeldonIO,Seldon,Organization,London / Cambridge,633
ArcLayout,ogaclejapan/ArcLayout,Java,A very simple arc layout library for Android,633,138,ogaclejapan,ogaclejapan,User,Japan,2744
FlowLayout,hongyangAndroid/FlowLayout,Java,Android流式布局,支持单选、多选等,适合用于产品标签等。,631,187,hongyangAndroid,张鸿洋,User,"Xian,China",8055
RecyclerViewFastScroller,danoz73/RecyclerViewFastScroller,Java,A Fast Scroller for the RecyclerView world!,629,120,danoz73,Daniel Smith,User,"Los Angeles, CA",629
YahooNewsOnboarding,rahulrj/YahooNewsOnboarding,Java,Demo of the onboarding animations of Yahoo News App,630,109,rahulrj,RAHUL RAJA,User,India,814
RapidFloatingActionButton,wangjiegulu/RapidFloatingActionButton,Java,Quick solutions for Floating Action Button,RapidFloatingActionButton(RFAB),627,111,wangjiegulu,WangJie,User,,1178
material-cab,afollestad/material-cab,Java,"A simple library for Android, which replaces the stock contextual action bar to allow more customization.",625,61,afollestad,Aidan Follestad,User,"Minneapolis, Minnesota",2553
GiftCard-Android,MartinRGB/GiftCard-Android,Java,Simply Implement Dribbble's popular shot,623,95,MartinRGB,MartinRGB,User,"Beijing,China",3764
LikeButton,jd-alexander/LikeButton,Java,Twitter's heart animation for Android,593,48,jd-alexander,Joel Dean,User,Jamaica,593
android-job,evernote/android-job,Java,Android library to handle jobs in the background.,622,45,evernote,Evernote,Organization,"Redwood City, California",622
SmsCodeHelper,drakeet/SmsCodeHelper,Java,"A very beautiful and easy to use app: 'SmsCodeHelper' (verification code helper), light, open source, it can automatically copy the code to the user's clipboard, when the user receives the message verification code. Material Design and open source: http://fir.im/codehelper (or Google Play 'SmsCodeHelper') ",620,133,drakeet,drakeet,User,"Xiamen, China",2863
PreLollipopTransition,takahirom/PreLollipopTransition,Java,Simple tool which help you to implement activity and fragment transition for pre-Lollipop devices.,621,140,takahirom,,User,Japan,750
android-flux-todo-app,lgvalle/android-flux-todo-app,Java,Example of how to implement an Android TODO App using Facebook Flux Architecture,619,109,lgvalle,Luis G. Valle,User,London,4207
FabricView,antwankakki/FabricView,Java,"A new canvas drawing library for Android. Aims to be the Fabric.js for Android. Supports text, images, and hand/stylus drawing input. The library has a website and API docs, check it out",618,78,antwankakki,Antwan Gaggi,User,,618
GridPasswordView,Jungerr/GridPasswordView,Java,An android password view that looks like the pay password view in wechat app and alipay app.,618,162,Jungerr,Jungly,User,"PuDong, ShangHai, China",618
Auro,architjn/Auro,Java,"1st Most Fastest, Latest Designed and open source Music player",607,115,architjn,Archit Jain,User,India,607
ArrowDownloadButton,fenjuly/ArrowDownloadButton,Java,A download button with pretty cool animation,601,88,fenjuly,Rongchan Liu,User,"Chengdu,China",1057
FABProgressCircle,JorgeCastilloPrz/FABProgressCircle,Java,Material progress circle around any FloatingActionButton. 100% Guidelines.,600,87,JorgeCastilloPrz,Jorge Castillo,User,Madrid,2193
MultiThreadDownloader,AigeStudio/MultiThreadDownloader,Java,Light weight and simple Multi-Thread Downloader for Android,596,174,AigeStudio,Aige,User,"CQ,China",1721
FilterMenu,linroid/FilterMenu,Java,An implemention of Filter Menu concept for android,591,99,linroid,张林,User,"Hunan, China",945
nice-spinner,arcadefire/nice-spinner,Java,A nice spinner for Android,589,91,arcadefire,Angelo Marchesin,User,Germany,589
Minimal-Todo,avjinder/Minimal-Todo,Java,Material To-Do App,591,125,avjinder,Avjinder,User,India,591
Colorful,bboyfeiyu/Colorful,Java,基于Theme的Android动态换肤库,无需重启Activity、无需自定义View,方便的实现日间、夜间模式。,587,128,bboyfeiyu,Mr.Simple,User,china,5589
android-vts,nowsecure/android-vts,Java,"Android Vulnerability Test Suite - In the spirit of open data collection, and with the help of the community, let's take a pulse on the state of Android security. NowSecure presents an on-device app to test for recent device vulnerabilities.",586,134,nowsecure,NowSecure,Organization,,586
MVCHelper,LuckyJayce/MVCHelper,Java,"实现下拉刷新,滚动底部自动加载更多,分页加载,自动切换显示网络失败布局,暂无数据布局,支持任意view,支持切换主流下拉刷新框架,真正的android MVC架构,refresh,loadmore",586,142,LuckyJayce,,User,XiaMen.China ,1258
android-design-template,andreasschrade/android-design-template,Java,"This is a State of the Art Android Material Design template. You can use this project as a template for upcoming App projects. Just clone the project, change package name and make all necessary customisations.",576,62,andreasschrade,Andreas Schrade,User,Germany,576
android,CommonUtils/android,Java,"Common Utils library is developed to reduce efforts to achieve common features of the android apps. While developing the apps, we realized that we’re coding for many common features in all the apps. For e.g. check the network’s availability, using shared preferences, parsing, etc. And like us, many other android developers might be doing the same. So it needs to be reduced for all to save the development time with ease. This is how an idea popped in our mind, and we decided to develop an SDK which can reduce developers’ time and efforts.",575,243,CommonUtils,,Organization,,575
A-MusicView,north2014/A-MusicView,Java,原创自定义控件之-Canvas实时绘制音乐波形图,577,120,north2014,Bai xiaokang,User,,816
Timeline-View,vipulasri/Timeline-View,Java,"Android Timeline View is used to display views like Tracking of shipment/order, steppers etc. ",572,78,vipulasri,Vipul Asri,User,New Delhi,690
SimpleTagImageView,wujingchao/SimpleTagImageView,Java,ImageView with a tag on android,573,114,wujingchao,Jingchao Wu,User,,1027
Scrollable,noties/Scrollable,Java,Android scrollable tabs,572,114,noties,Dimitry,User,,572
Android-MaterialRefreshLayout,android-cjj/Android-MaterialRefreshLayout,Java,"This is a drop-down control, it is more beautiful and powerful than SwipeRefreshLayout",566,162,android-cjj,陈继军,User,"guangzhou,China",2093
scoop,lyft/scoop,Java,:icecream: micro framework for building view based modular Android applications.,564,35,lyft,Lyft,Organization,"San Francisco, CA",3054
TapBarMenu,michaldrabik/TapBarMenu,Java,Tap Bar Menu,564,55,michaldrabik,Michal Drabik,User,"Cracow, Poland",564
CircleProgress,Fichardu/CircleProgress,Java,A circle progress animation view on Android,564,140,Fichardu,Xu Fu,User,,564
InteractivePlayerView,iammert/InteractivePlayerView,Java,Custom android music player view.,563,99,iammert,Mert Şimşek,User,Eskisehir/Turkey,2202
qualitymatters,artem-zinnatullin/qualitymatters,Java,Android Development Culture,559,65,artem-zinnatullin,Artem Zinnatullin,User,Saint-Petersburg,751
Prism,StylingAndroid/Prism,Java,A dynamic colouring library for Android,561,70,StylingAndroid,Mark Allison,User,"Hertfordshire, UK",561
systemml,SparkTC/systemml,Java,IBM's SystemML Machine Learning - Now Apache SystemML,559,124,SparkTC,Spark Technology Center,Organization,,559
fontbinding,lisawray/fontbinding,Java,A full example of custom fonts in XML using data binding and including font caching.,558,40,lisawray,Lisa Wray,User,NYC,558
BlurImageView,wingjay/BlurImageView,Java,"BlurImageView, you can load your image progressively like Medium.First show user a blurry image, At the same time, load the real image, once loaded, replace the blurry one automatically",558,79,wingjay,wingjay,User,"Shanghai, China",941
FlycoDialog_Master,H07000223/FlycoDialog_Master,Java,An Android Dialog Lib simplify customization. Supprot 2.2+.,554,166,H07000223,Flyco,User,"Shanghai, China",2718
CircularFillableLoaders,lopspower/CircularFillableLoaders,Java,Realize a beautiful circular fillable loaders to be used for splashscreen,550,60,lopspower,Lopez Mikhael,User,"Paris, France",658
f2etest,alibaba/f2etest,Java,F2etest是一个面向前端、测试、产品等岗位的多浏览器兼容性测试整体解决方案。,550,110,alibaba,Alibaba,Organization,"Hangzhou, China",4994
PalDB,linkedin/PalDB,Java,An embeddable write-once key-value store written in Java,548,83,linkedin,LinkedIn,Organization,"Mountain View, CA, USA",2299
WheelView-Android,lantouzi/WheelView-Android,Java,"Selector with wheel view, applicable to selecting money or other short length values.",548,97,lantouzi,,Organization,,548
MaterialPowerMenu,naman14/MaterialPowerMenu,Java,A demo of the power menu with Reveal and other animations,547,96,naman14,Naman Dwivedi,User,"New Delhi, India",2475
RecyclerView-FlexibleDivider,yqritc/RecyclerView-FlexibleDivider,Java,Android library providing simple way to control divider items (ItemDecoration) of RecyclerView,546,84,yqritc,Yoshihito Ikeda,User,"Yokohama, Japan",1385
KLog,ZhaoKaiQiang/KLog,Java,这是一个Android专用的LogCat工具,主要功能为打印行号、函数调用、Json解析、XML解析、点击跳转、Log信息保存等功能。灵感来自Logger,539,117,ZhaoKaiQiang,ZhaoKaiQiang,User,ShanDong QingDao,1899
XRecyclerView,jianghejie/XRecyclerView,Java,a RecyclerView that implements pullrefresh and loadingmore featrues.you can use it like a standard RecyclerView,542,132,jianghejie,hejie,User,chengdu,542
JsBridge,lzyzsd/JsBridge,Java,"android java and javascript bridge, inspired by wechat webview jsbridge",542,163,lzyzsd,Bruce Lee,User,Shanghai China,1483
ProcessPhoenix,JakeWharton/ProcessPhoenix,Java,Process Phoenix facilitates restarting your application process.,543,38,JakeWharton,Jake Wharton,User,"Pittsburgh, PA",3450
WaitingDots,tajchert/WaitingDots,Java,,542,86,tajchert,Michal Tajchert,User,Warsaw,1236
phphub-android,CycloneAxe/phphub-android,Java,PHPHub for Android,539,152,CycloneAxe,Kelvin,User,Beijing China,539
dexcount-gradle-plugin,KeepSafe/dexcount-gradle-plugin,Java,A Gradle plugin to report the number of method references in your APK on every build.,539,39,KeepSafe,KeepSafe,Organization,San Francisco,1311
easypermissions,googlesamples/easypermissions,Java,Simplify Android M system permissions,531,52,googlesamples,Google Samples,Organization,,13082
MaterialDateRangePicker,borax12/MaterialDateRangePicker,Java,A material Date Range Picker based on wdullaers MaterialDateTimePicker,538,92,borax12,Supratim Chakraborty,User,India,538
Android-Ultra-Photo-Selector,AizazAZ/Android-Ultra-Photo-Selector,Java,"Select images from Android devices made easy :-) Start Activity PhotoSelectorActivity, this is the main entry point",536,185,AizazAZ,Aizaz AZ,User,,536
AwesomeText,JMPergar/AwesomeText,Java,"A tool that facilitates working with Spans on TextViews or any extension of them (EditTexts, Buttons...).",534,52,JMPergar,José Manuel Pereira García,User,"Madrid, Spain",534
realtime-analytics,pulsarIO/realtime-analytics,Java,"Realtime analytics, this includes the core components of Pulsar pipeline.",532,92,pulsarIO,Pulsar,Organization,,532
progress-activity,vlonjatg/progress-activity,Java,"Easily add loading, empty and error states in your app.",528,84,vlonjatg,Vlonjat Gashi,User,,785
AppIntroAnimation,TakeoffAndroid/AppIntroAnimation,Java,AppIntroAnimation is a set of code snippets to make cool intro screen for your app with special Image Translation and Transformation animation effects. It is very easy to use and customize without adding third party library integrations.,528,80,TakeoffAndroid,,User,,810
GlidePalette,florent37/GlidePalette,Java,Android Lollipop Palette is now easy to use with Glide,526,66,florent37,Florent CHAMPIGNY,User,France,8281
ProgressLayout,iammert/ProgressLayout,Java,custom progress layout view for Android,521,85,iammert,Mert Şimşek,User,Eskisehir/Turkey,2202
barber,hzsweers/barber,Java,A custom view styling library for Android that generates the obtainStyledAttributes() and TypedArray boilerplate code for you.,521,30,hzsweers,Zac Sweers,User,"Palo Alto, CA",675
material-design-library,DenisMondon/material-design-library,Java,A library that helps developers creating their Android Application with Material Design.,519,171,DenisMondon,Denis Mondon,User,,519
drag-select-recyclerview,afollestad/drag-select-recyclerview,Java,Easy to implement Google Photos style multi-selection for RecyclerViews.,517,56,afollestad,Aidan Follestad,User,"Minneapolis, Minnesota",2553
yahnac,malmstein/yahnac,Java,Yet Another Hacker News Android Client,517,70,malmstein,David González,User,London,517
apollo,spotify/apollo,Java,Java libraries for writing composable microservices,516,39,spotify,Spotify,Organization,,1430
android-DecoView-charting,bmarrdev/android-DecoView-charting,Java,DecoView: Android arc based animated charting library,516,77,bmarrdev,Brent,User,Australia,516
SearchMenuAnim,kongnanlive/SearchMenuAnim,Java,,515,84,kongnanlive,孔楠,User,"Hangzhou, China",515
RecyclerTabLayout,nshmura/RecyclerTabLayout,Java,An efficient TabLayout library implemented with RecyclerView.,511,94,nshmura,Shinichi Nishimura,User,"Osaka, Japan",511
smooth-app-bar-layout,henrytao-me/smooth-app-bar-layout,Java,Smooth version of Google Support Design AppBarLayout,510,61,henrytao-me,Henry Tao,User,"Ho Chi Minh, Vietnam",510
FabButton,ckurtm/FabButton,Java,Android Floating ActionButton with a progress indicator ring,511,93,ckurtm,Kurt Mbanje,User,South Africa,511
AgendaCalendarView,Tibolte/AgendaCalendarView,Java,"An Android project providing easy navigation between a calendar and an agenda. This library replicates the basic features from the Sunrise Calendar (now Outlook) app, coupled with some small design touch from the Google Calendar app.",511,99,Tibolte,Thibault Guégan,User,Paris,1594
Loading,yankai-victor/Loading,Java,Android loading view,509,92,yankai-victor,,User,"Wuhan, China",650
PermissionHelper,k0shk0sh/PermissionHelper,Java,Android Library to help you with your runtime Permissions,508,78,k0shk0sh,kosh,User,Kuala Lumpur,508
DropDownMenu,JayFang1993/DropDownMenu,Java,"DropDownMenu for Android,Filter the list based on multiple condition.",506,110,JayFang1993,方杰,User,Beijing,677
ChangeSkin,hongyangAndroid/ChangeSkin,Java,基于插件式的Android换肤框架,支持app内和或者外部插件式提供资源的换肤方案,无需重启Activity。,506,133,hongyangAndroid,张鸿洋,User,"Xian,China",8055
DebugDrawer,palaima/DebugDrawer,Java,Android Debug Drawer for faster development,502,39,palaima,Mantas Palaima,User,Lithuania,502
TinyDancer,brianPlummer/TinyDancer,Java,An android library for displaying fps from the choreographer and percentage of time with two or more frames dropped,501,29,brianPlummer,Brian Plummer,User,"New York, New York",501
LargeImage,LuckyJayce/LargeImage,Java,Android 加载大图 可以高清显示10000*10000像素的图片,轻松实现微博长图功能,497,85,LuckyJayce,,User,XiaMen.China ,1258
EasyImage,jkwiecien/EasyImage,Java,Library for picking pictures from gallery or camera,494,67,jkwiecien,Jacek,User,Kraków,494
ReactiveNetwork,pwittchen/ReactiveNetwork,Java,Android library listening network connection state and change of the WiFi signal strength with RxJava Observables,493,50,pwittchen,Piotr Wittchen,User,"Gliwice, Poland",603
Avengers,saulmm/Avengers,Java,[WIP] This project aims to work as a demo project and reference using the common frameworks and tools used in production enviroments,490,75,saulmm,Saul Molinero,User,"Vigo, Spain",4157
gl-react-native,ProjectSeptemberInc/gl-react-native,Java,"OpenGL bindings for React Native to implement complex effects over images and components, in the descriptive VDOM paradigm",489,20,ProjectSeptemberInc,Project September,Organization,,881
RecyclerViewHeader,blipinsk/RecyclerViewHeader,Java,Super fast and easy way to create header for Android RecyclerView,487,110,blipinsk,Bartosz Lipinski,User,"Warsaw, Poland",881
Android-ScalableVideoView,yqritc/Android-ScalableVideoView,Java,"Android Texture VideoView having a variety of scale types like the scale types of ImageView such as fitCenter, centerCrop, centerTopCrop and more",488,88,yqritc,Yoshihito Ikeda,User,"Yokohama, Japan",1385
android-UCToast,liaohuqiu/android-UCToast,Java,Demonstrate how UC browser display a system overlay view in any platform above API level 9.,485,118,liaohuqiu,Huqiu Liao,User,"San Francisco, United states",2307
MaterialIntroTutorial,spongebobrf/MaterialIntroTutorial,Java,Library demonstrating a material intro tutorial much like the ones on Google Sheets,486,52,spongebobrf,Rebecca Franks,User,"Johannesburg, South Africa",684
tut-spring-security-and-angular-js,spring-guides/tut-spring-security-and-angular-js,Java,"Spring Security and Angular JS:: A tutorial on how to use Spring Security with a single page application with various backend architectures, ranging from a simple single server to an API gateway with OAuth2 authentication.",484,537,spring-guides,Spring Guides,Organization,,484
JellyRefreshLayout,allan1st/JellyRefreshLayout,Java,A pull-down-to-refresh layout inspired by Lollipop overscrolled effects,485,77,allan1st,Y.Chen,User,,485
DraggedViewPager,yueban/DraggedViewPager,Java,"A View whose pages and items both can be dragged, looking like a ViewPager ",484,79,yueban,baizhoufan,User,,484
Ninja,mthli/Ninja,Java,Yet another web browser for Android.,483,105,mthli,李明亮,User,Beijing,1567
Android-CircleMenu,hongyangAndroid/Android-CircleMenu,Java,自定义ViewGroup实现的圆形旋转菜单,支持跟随手指旋转以及快速旋转。,483,248,hongyangAndroid,张鸿洋,User,"Xian,China",8055
Bookends,tumblr/Bookends,Java,A UI widget for adding headers and footers to RecyclerView,483,54,tumblr,Tumblr,Organization,New York City,1944
MaterialLeanBack,florent37/MaterialLeanBack,Java,A beautiful leanback port for Smartphones and Tablets,483,80,florent37,Florent CHAMPIGNY,User,France,8281
FastDev4Android,jiangqqlmj/FastDev4Android,Java,"本项目是Android快速开发框架,采用AndroidStudio进行开发。 预想集成工具包,采用MVP开发模式,EventBus数据分发,沉浸式状态栏,ORM,网络请求(HTTPClint,Volley,OkHttps),数据解析,依赖注入(AndroidAnnotations),xutils,图片异步加载,二维码扫描等等,后续会进行逐步添加",480,177,jiangqqlmj,江清清,User,江苏省南通市经济技术开发区中天路5号(中天科技研究院),480
InboxLayout,zhaozhentao/InboxLayout,Java,模仿google inbox效果,481,131,zhaozhentao,涛,User,"Foshan,China",1361
ReLinker,KeepSafe/ReLinker,Java,A robust native library loader for Android.,479,56,KeepSafe,KeepSafe,Organization,San Francisco,1311
LolliPin,OrangeGangsters/LolliPin,Java,A Material design Android pincode library. Supports Fingerprint.,480,128,OrangeGangsters,,Organization,,954
wallsplash-android,mikepenz/wallsplash-android,Java,wall:splash is a free open source android client for the awesome unsplash.com service (Free (do whatever you want) high-resolution photos),480,131,mikepenz,Mike Penz,User,"Linz, Austria",4219
ViewAnimator,florent37/ViewAnimator,Java,A fluent Android animation library,470,59,florent37,Florent CHAMPIGNY,User,France,8281
Lab-Android-DesignLibrary,nuuneoi/Lab-Android-DesignLibrary,Java,,478,193,nuuneoi,Sittiphol Phanvilai,User,"Bangkok, Thailand",799
frodo,android10/frodo,Java,Android Library for Logging RxJava Observables and Subscribers.,474,25,android10,Fernando Cejas,User,"Berlin, Germany",474
java8-the-missing-tutorial,shekhargulati/java8-the-missing-tutorial,Java,Java 8 for all of us,475,32,shekhargulati,Shekhar Gulati,User,,475
Android-Skin-Loader,fengjundev/Android-Skin-Loader,Java,一个通过动态加载本地皮肤包进行换肤的皮肤框架,475,101,fengjundev,fengjun.dev.cn,User,China,689
SwipyRefreshLayout,OrangeGangsters/SwipyRefreshLayout,Java,A SwipeRefreshLayout extension that allows to swipe in both direction,474,116,OrangeGangsters,,Organization,,954
StickerView,nimengbo/StickerView,Java,,472,88,nimengbo,Abner,User,"ShangHai, China",735
AutoLabelUI,DavidPizarro/AutoLabelUI,Java,"Android library to place labels next to another. If there is not enough space for the next label, it will be added in a new line.",472,72,DavidPizarro,David Pizarro,User,"Alcobendas, Madrid",1157
picasso-transformations,wasabeef/picasso-transformations,Java,An Android transformation library providing a variety of image transformations for Picasso,472,56,wasabeef,Daichi Furiya,User,"Tokyo, Japan",4727
ExpandableLayout,AAkira/ExpandableLayout,Java,An android library that brings the expandable layout with various animation. You can include optional contents and use everywhere.,470,80,AAkira,Akira Aratani,User,"Tokyo, Japan",574
FeatureFu,linkedin/FeatureFu,Java,Library and tools for advanced feature engineering,471,89,linkedin,LinkedIn,Organization,"Mountain View, CA, USA",2299
PickerUI,DavidPizarro/PickerUI,Java,Android library to display a list of items for pick one,468,94,DavidPizarro,David Pizarro,User,"Alcobendas, Madrid",1157
MaterialProgressBar,DreaminginCodeZH/MaterialProgressBar,Java,Material Design ProgressBar with consistent appearance,467,64,DreaminginCodeZH,Zhang Hai,User,"Hangzhou, Zhejiang",1606
BeautifulRefreshLayout,android-cjj/BeautifulRefreshLayout,Java,A bueautiful RefreshLayout,465,124,android-cjj,陈继军,User,"guangzhou,China",2093
NightOwl,ashqal/NightOwl,Java,,467,54,ashqal,Asha,User,Hangzhou,911
MaterialUp,jariz/MaterialUp,Java,MaterialUp Android App,467,84,jariz,Jari Zwarts,User,"Amsterdam, The Netherlands",4217
velocimeter-view,glomadrian/velocimeter-view,Java,A velocimeter View for Android,466,108,glomadrian,Adrián Lomas,User,"Barcelona, Spain",2772
Remember,tumblr/Remember,Java,A preferences-backed key-value store,465,34,tumblr,Tumblr,Organization,New York City,1944
material-scrolling,satorufujiwara/material-scrolling,Java,Android library for material scrolling techniques.,465,75,satorufujiwara,Satoru Fujiwara,User,"Shibuya, Tokyo, Japan",571
VerticalViewPager,kaelaela/VerticalViewPager,Java,Vertically ViewPager and vertically transformer for Android.,465,63,kaelaela,Maekawa Yuichi,User,Tokyo,465
Watch,tuesda/Watch,Java,A project which demonstrate how to develop a custom client on android for dribbble.com,464,99,tuesda,ZhangLei,User,Shenzhen,1495
SlidingCard,mxn21/SlidingCard,Java,Sliding cards with pretty gallery effects.,463,98,mxn21,mxn,User,Beijing,1486
JustWeEngine,lfkdsk/JustWeEngine,Java,An easy open source Android game engine,462,55,lfkdsk,JustWe,User,大连,704
UpcomingMoviesMVP,jlmd/UpcomingMoviesMVP,Java,Sample project of MVP and Material Design using as repository a list of upcoming movies,459,87,jlmd,José Luis Martín,User,"Murcia, Spain",1166
CreditCardView,vinaygaba/CreditCardView,Java,CreditCardView is an Android library that allows developers to create the UI which replicates an actual Credit Card.,461,57,vinaygaba,Vinay Gaba,User,New York,461
overlap2d,UnderwaterApps/overlap2d,Java,Overlap2D Game development toolkit for UI and Level design,461,135,UnderwaterApps,,Organization,,461
materialistic,hidroh/materialistic,Java,A material-design Hacker News Android reader,461,111,hidroh,Ha Duy Trung,User,,461
Trestle,lawloretienne/Trestle,Java,A framework used to bridge one or more spans for use with a TextView,460,35,lawloretienne,Etienne Lawlor,User,San Francisco,798
material-code-input,glomadrian/material-code-input,Java,A material style input for codes,458,67,glomadrian,Adrián Lomas,User,"Barcelona, Spain",2772
ToggleExpandLayout,fenjuly/ToggleExpandLayout,Java,A togglelayout that can be used in setting interface,456,80,fenjuly,Rongchan Liu,User,"Chengdu,China",1057
gcm,google/gcm,Java,Google Cloud Messaging - client libraries and sample implementations,455,327,google,Google,Organization,,70104
MultiCardMenu,wujingchao/MultiCardMenu,Java,A multicard menu that can open and close with animation on android,454,92,wujingchao,Jingchao Wu,User,,1027
WaveView,gelitenight/WaveView,Java,waveview for android,454,75,gelitenight,NIGHT,User,,454
Hygieia,capitalone/Hygieia,Java,CapitalOne DevOps Dashboard,454,156,capitalone,Capital One,Organization,"McLean, VA",454
dev-summit-architecture-demo,yigit/dev-summit-architecture-demo,Java,The demo application that we've used in the Architecture Talk @ Android Dev Summit 2015,445,59,yigit,Yigit Boyar,User,san francisco,445
AndroidVideoPlayer,xiongwei-git/AndroidVideoPlayer,Java,"Android Video Player , Like NetEaseNews Video Player.",450,115,xiongwei-git,Ted,User,Shanghai ,601
WaterDropListView,THEONE10211024/WaterDropListView,Java,WaterDropListView,just like the iOS,445,138,THEONE10211024,xiayong,User,"Beijing,China",695
packer-ng-plugin,mcxiaoke/packer-ng-plugin,Java,下一代Android打包工具,1000个渠道包只需要5秒钟,409,56,mcxiaoke,Xiaoke Zhang,User,"Beijing, China",1085
SmallBang,hanks-zyh/SmallBang,Java, twitter like animation for any view :heartbeat:,433,59,hanks-zyh,张玉涵,User,Beijing,2679
SCViewPager,sacot41/SCViewPager,Java,,444,62,sacot41,Samuel Côté,User,"Québec, Canada",444
ChromeLikeSwipeLayout,ashqal/ChromeLikeSwipeLayout,Java,"Pull down, and execute more action!",444,54,ashqal,Asha,User,Hangzhou,911
DragExpandGrid,wedcel/DragExpandGrid,Java,可展开,可拖动,可排序,可删除,固定更多的GridView,442,88,wedcel,王威威,User,广东省深圳市,442
LondonEyeLayoutManager,Danylo2006/LondonEyeLayoutManager,Java,A Layoutmanager that must be used with RecyclerView. When list is scrolled views are moved by circular trajectory,438,55,Danylo2006,Danylo Volokh,User,,789
android-vision,googlesamples/android-vision,Java,,436,162,googlesamples,Google Samples,Organization,,13082
MaterialTextField,florent37/MaterialTextField,Java,A different beautiful Floating Edit Text,438,75,florent37,Florent CHAMPIGNY,User,France,8281
WheelPicker,AigeStudio/WheelPicker,Java,Simple & Wonderful wheel view in realistic effect for android.,435,75,AigeStudio,Aige,User,"CQ,China",1721
ShareLoginLib,lingochamp/ShareLoginLib,Java,ThirdParty login and share lib,436,81,lingochamp,LingoChamp Inc.,Organization,"Shanghai, China",1524
PickView,brucetoo/PickView,Java,Date and Province WheelView like IOS,436,80,brucetoo,Bruce too,User,"Guangzhou,China",1036
io2015-codelabs,googlesamples/io2015-codelabs,Java,codelabs for Google I/O 2015,433,112,googlesamples,Google Samples,Organization,,13082
custom-tabs-client,GoogleChrome/custom-tabs-client,Java,Chrome custom tabs examples,431,74,GoogleChrome,,Organization,,3031
VCameraDemo,motianhuo/VCameraDemo,Java,微信小视频+秒拍,429,187,motianhuo,Juns Allen,User,Beijing . China,1787
MultiStateView,Kennyc1012/MultiStateView,Java,Android View that displays different content based on its state,430,76,Kennyc1012,Kenny Campagna,User,,719
SimpleNews,liuling07/SimpleNews,Java,基于Material Design和MVP的新闻客户端,407,80,liuling07,LiuLing,User,ShenZhen · China,407
Android-MaterialPreference,jenzz/Android-MaterialPreference,Java,A simple backward-compatible implementation of a Material Design Preference aka settings item,427,54,jenzz,Jens Driller,User,"London, UK",427
Paginate,MarkoMilos/Paginate,Java,Library for creating simple pagination functionality upon RecyclerView and AbsListView,426,68,MarkoMilos,Marko Milos,User,"Zagreb, Croatia",426
JianDan,ZhaoKaiQiang/JianDan,Java,高仿煎蛋客户端,423,180,ZhaoKaiQiang,ZhaoKaiQiang,User,ShanDong QingDao,1899
easygoogle,googlesamples/easygoogle,Java,Simple wrapper library for Google APIs,423,26,googlesamples,Google Samples,Organization,,13082
Cult,ppamorim/Cult,Java,Toolbar is so boring,424,54,ppamorim,Pedro Paulo Amorim,User,Joinville - SC,1217
DraggableView,elevenetc/DraggableView,Java,Draggable views with rotation and skew/scale effects,424,54,elevenetc,Eugene Levenetc,User,"Russia, Saint-Petersburg",2330
fragnums,pyricau/fragnums,Java,An enum based library to replace fragments.,423,41,pyricau,Pierre-Yves Ricau,User,San Francisco,744
AudioWaves,FireZenk/AudioWaves,Java,Shows a graphic representation of the sounds captured by the microphone on Android,422,73,FireZenk,Jorge Garrido,User,"Madrid, Spain",422
beauty-treatment-android-animations,JlUgia/beauty-treatment-android-animations,Java,Set of samples of views with slick interaction patterns and animations,419,51,JlUgia,Jose L,User,Berlin,419
SlideDateTimePicker,jjobes/SlideDateTimePicker,Java,A combined DatePicker and TimePicker in a DialogFragment for Android,419,94,jjobes,Jason D. Jobes,User,,419
fit-chart,txusballesteros/fit-chart,Java,Fit Chart is an Android view similar to Google Fit wheel chart.,420,43,txusballesteros,Txus Ballesteros,User,"Barcelona, Spain",1792
PinchImageView,boycy815/PinchImageView,Java,体验最好的图片手势控件,不同分辨率无缝切换,可与ViewPager结合使用。,420,72,boycy815,,User,,420
EaseInterpolator,cimi-chen/EaseInterpolator,Java,Thirty different easing animation interpolators for Android.,417,60,cimi-chen,cimi,User,,417
FABRevealLayout,truizlop/FABRevealLayout,Java,A layout to transition between two views using a Floating Action Button as shown in many Material Design concepts,417,58,truizlop,Tomás Ruiz-López,User,"Madrid, Spain",753
socket.io-android-chat,nkzawa/socket.io-android-chat,Java,A simple chat demo for socket.io and Android,414,176,nkzawa,Naoyuki Kanezawa,User,,414
android-animate-RichEditor,xmuSistone/android-animate-RichEditor,Java,android rich text editor which enables users to insert/delete bitmaps and text into edit-view with animations.,415,68,xmuSistone,sistone,User,"Hangzhou, Zhejiang, China",1947
android-transition,kaichunlin/android-transition,Java,Allows the easy creation of animated transition effects when the state of Android UI has changed,415,53,kaichunlin,Kai,User,,415
Android-StickyNavLayout,hongyangAndroid/Android-StickyNavLayout,Java,An android library for navigator that stick on the top ,413,152,hongyangAndroid,张鸿洋,User,"Xian,China",8055
GankMeizhi,xingrz/GankMeizhi,Java,干·妹纸 (Gān Mèizhi),412,84,xingrz,XiNGRZ,User,"Canton, China",412
MVVM_Hacker_News,hitherejoe/MVVM_Hacker_News,Java,Android MVVM experiment project using the official Data Binding library,410,43,hitherejoe,Joe Birch,User,"Brighton, UK",3313
SortableTableView,ISchwarz23/SortableTableView,Java,An Android library containing a simple TableView and an advanced SortableTableView providing a lot of customisation possibilities to fit all needs.,410,82,ISchwarz23,Ingo Schwarz,User,,410
PhotoNoter,yydcdut/PhotoNoter,Java,:notebook:Material Design风格的开源照片笔记。(MVP+Dagger2+RxJava+Dex分包异步加载),392,53,yydcdut,yydcdut,User,BeiJing China,507
HeartLayout,tyrantgit/HeartLayout,Java,periscope like heartlayout,405,60,tyrantgit,,User,,2307
Spanny,binaryfork/Spanny,Java,,403,56,binaryfork,,User,,403
tailor,sleekbyte/tailor,Java,Cross-platform static analyzer and linter for Swift.,400,5,sleekbyte,Sleekbyte,Organization,"Waterloo, Canada",400
TimeRangePicker,tittojose/TimeRangePicker,Java,Android time range picker,403,53,tittojose,Titto Jose,User,India,403
HotFix,dodola/HotFix,Java,安卓App热补丁动态修复框架,401,103,dodola,dodola,User,Beijing,1841
CoolSwitch,Serchinastico/CoolSwitch,Java,Custom switch with a circular reveal effect,402,56,Serchinastico,,User,Madrid,402
Droppy,shehabic/Droppy,Java,"A simple yet-powerful and fully customizable Android drop-down menu. It supports Text with/without Icons, Separators, and even fully customized views.",402,65,shehabic,Mohamed Shehab,User,"Berlin, Germany",402
fresco-processors,wasabeef/fresco-processors,Java,An Android image processor library providing a variety of image transformations for Fresco.,399,45,wasabeef,Daichi Furiya,User,"Tokyo, Japan",4727
android-gradle-java-template,jaredsburrows/android-gradle-java-template,Java,Gradle + Android Studio + Robolectric + Espresso + Mockito + EasyMock/PowerMock + JaCoCo,396,43,jaredsburrows,Jared Burrows,User,"Sunnyvale, CA",396
Favor,soarcn/Favor,Java,A easy way to use android sharepreference,400,45,soarcn,Kai Liao,User,Sydney,400
GithubTrends,laowch/GithubTrends,Java,It's a GitHub Trending repositories Viewer with Material Design.,397,54,laowch,laowch,User,China,397
EmojiChat,kymjs/EmojiChat,Java,Android聊天界面+emoji表情+大表情实现,397,103,kymjs,张涛,User,"ShenZhen, China",791
RichText,zzhoujay/RichText,Java,Android平台下的富文本显示控件,395,72,zzhoujay,郑州,User,uestc,395
DesignSupportLibraryDemo,xuyisheng/DesignSupportLibraryDemo,Java,Android Design Support Library Demo,393,172,xuyisheng,xuyisheng,User,"pudong,shanghai",1228
FlippableStackView,blipinsk/FlippableStackView,Java,An Android library introducing a stack of Views with the first item being flippable.,394,77,blipinsk,Bartosz Lipinski,User,"Warsaw, Poland",881
SlideBottomPanel,kingideayou/SlideBottomPanel,Java,底部划动菜单,滑动时背景图透明度渐变,支持嵌套 LiewView 或 ScrollView,393,79,kingideayou,NeXT,User,"Beijing, China",712
XhsWelcomeAnim,w446108264/XhsWelcomeAnim,Java,小红书欢迎引导第二版,392,148,w446108264,zhongdaxia,User,Shanghai China,804
fab-transformation,konifar/fab-transformation,Java,Support Floating Action Button transformation for Android,391,54,konifar,Yusuke Konishi,User,Japan,710
JFoenix,jfoenixadmin/JFoenix,Java,JavaFX Material Design Library,387,28,jfoenixadmin,JFoeniX,User,,387
dashed-circular-progress,glomadrian/dashed-circular-progress,Java,A Circular progress animated where you can put any view inside,389,78,glomadrian,Adrián Lomas,User,"Barcelona, Spain",2772
elastic-job,dangdangdotcom/elastic-job,Java,"Elastic-Job is a distributed scheduled job framework, based on Quartz and Curator.",387,254,dangdangdotcom,,Organization,,387
Carpaccio,florent37/Carpaccio,Java,Data Mapping & Smarter Views framework for android,386,54,florent37,Florent CHAMPIGNY,User,France,8281
KuaiHu,iKrelve/KuaiHu,Java,高仿知乎日报——krelve.com,385,172,iKrelve,krelve,User,krelve,385
MD-BiliBili,Qixingchen/MD-BiliBili,Java,Material Design 版 BiliBili Android 客户端,385,92,Qixingchen,qixingchen,User,"XiaMen,Fujian,China",385
screenshot-tests-for-android,facebook/screenshot-tests-for-android,Java,screenshot-test-for-android is a library that can generate fast deterministic screenshots while running instrumentation tests in android.,384,36,facebook,Facebook,Organization,"Menlo Park, California",61260
BiuEditText,xujinyang/BiuEditText,Java,biu,biu,一个有趣的EditText,386,69,xujinyang,xujinyang,User,shanghai,500
AndroidDigest,openproject/AndroidDigest,Java,android相关的干货(文摘,名博,github等等),384,90,openproject,冯建,User,,529
Pixelate,DanielMartinus/Pixelate,Java,Transform images into pixel versions of itself in Android,385,51,DanielMartinus,Dion Segijn,User,The Netherlands,385
Clean-Contacts,PaNaVTEC/Clean-Contacts,Java,Clean implementation on Android,385,43,PaNaVTEC,Christian Panadero,User,London,687
let,canelmas/let,Java,Annotation based simple API flavoured with AOP to handle new Android runtime permission model,384,22,canelmas,Can Elmas,User,istanbul,384
Android-PullToNextLayout,zzz40500/Android-PullToNextLayout,Java,Android-PullToNextLayout,382,91,zzz40500,轻微,User,Shanghai China,2914
jianshi,wingjay/jianshi,Java,A beautiful app 简诗 for recording anything in your life with traditional Chinese style.,383,95,wingjay,wingjay,User,"Shanghai, China",941
GifView,Cutta/GifView,Java,Library for playing gifs on Android,352,39,Cutta,Cüneyt Çarıkçi,User,Ankara,484
SuperSwipeRefreshLayout,nuptboyzhb/SuperSwipeRefreshLayout,Java,A Custom SwipeRefreshLayout,380,103,nuptboyzhb,Zheng Haibo(莫川),User,"Hangzhou,Zhejiang,China",727
BubbleTextView,dupengtao/BubbleTextView,Java,Android Bubble View,378,62,dupengtao,,User,,378
overscroll-decor,EverythingMe/overscroll-decor,Java,Android: iOS-like over-scrolling effect applicable over almost all scrollable Android views.,375,49,EverythingMe,EverythingMe,Organization,,740
Android-RatioLayout,devsoulwolf/Android-RatioLayout,Java,"This is a specified proportion to the size of the Layout or View support library, with which you can easily set a fixed ratio of the size of the Layout or View, internal adaptive size calculation, completely abandon the code to calculate the size! If you have any questions in the course or suggestions, please send an e-mail to the following e-mail, thank you!",377,54,devsoulwolf,Soulwolf,User,beijing China ,526
HideOnScrollExample,mzgreen/HideOnScrollExample,Java,This is an example on how to show/hide views when scrolling a list.,374,106,mzgreen,mzgreen,User,,374
FloatingView,recruit-lifestyle/FloatingView,Java,,374,63,recruit-lifestyle,Recruit Lifestyle Co. Ltd.,Organization,"Tokyo, Japan",2255
MaterialSpinner,ganfra/MaterialSpinner,Java,Spinner with Material Design - Down to API 9,374,77,ganfra,François,User,Rennes,374
MaterialDesignExample,chenyangcun/MaterialDesignExample,Java,本APP用来演示Material Design控件的使用。,372,139,chenyangcun,阳春面,User,"Shanghai,China",372
BlurredGridMenu,gotokatsuya/BlurredGridMenu,Java,Cool blurred grid menu for Android.,372,73,gotokatsuya,goka,User,"Tokyo, Japan",643
CardSlidePanel,taoliuh/CardSlidePanel,Java,Based on https://github.com/xmuSistone/android-card-slide-panel.git,371,67,taoliuh,sonaive,User,,371
CharacterPickerView,alafighting/CharacterPickerView,Java,可实现三级联动的选择器,高仿iOS的滚轮控件,370,75,alafighting,壳,User,"Guangzhou, China",370
HashTagHelper,Danylo2006/HashTagHelper,Java,This is a library designed for highlighting hashtags ('#example') and catching click on them.,351,28,Danylo2006,Danylo Volokh,User,,789
Android-Plugin-Framework,limpoxe/Android-Plugin-Framework,Java,Android Plugin Framework 插件开发框架及示例程序,原理介绍等,369,112,limpoxe,,User,,369
nanotasks,fabiendevos/nanotasks,Java,Extremely light way to execute code in the background on Android. Alternative to AsyncTask.,370,34,fabiendevos,Fabien Devos,User,,370
pull-back-layout,oxoooo/pull-back-layout,Java,Pull down to finish an Activity.,369,51,oxoooo,OXO,Organization,"Guangzhou, China",841
SlideSwitch,Leaking/SlideSwitch,Java,A widget you can slide it to open or close something,364,120,Leaking,Quinn,User,"Guangzhou, China",692
haha,square/haha,Java,Java library to automate the analysis of Android heap dumps.,363,36,square,Square,Organization,,13457
Nammu,tajchert/Nammu,Java,"Permission helper for Android M - background check, monitoring and more",362,33,tajchert,Michal Tajchert,User,Warsaw,1236
CircleTimerView,jiahuanyu/CircleTimerView,Java,Circular timer on Android platform. ,362,86,jiahuanyu,Love ZN,User,ShangHai China,469
CountdownView,iwgang/CountdownView,Java,Android Countdown Widget,362,76,iwgang,iWgang,User,"ChengDu, China",558
AdapterDelegates,sockeqwe/AdapterDelegates,Java,'Favor composition over inheritance' for RecyclerView Adapters,359,48,sockeqwe,Hannes Dorfmann,User,Munich,1270
Beautyacticle,NicodeLee/Beautyacticle,Java,Share the most beautiful words,363,72,NicodeLee,NicodeLee,User,China.GuangZhou,363
incubator-geode,apache/incubator-geode,Java,Mirror of Apache Geode (Incubating),361,159,apache,The Apache Software Foundation,Organization,,3728
Tabby,hitherejoe/Tabby,Java,A demo application for the new Android Custom Tabs support library,360,47,hitherejoe,Joe Birch,User,"Brighton, UK",3313
ShortcutHelper,xuyisheng/ShortcutHelper,Java,a shortcut lib for easy use shortcut,359,63,xuyisheng,xuyisheng,User,"pudong,shanghai",1228
LeetCode-Sol-Res,FreeTymeKiyan/LeetCode-Sol-Res,Java,"Clean, Understandable Solutions and Resources for LeetCode Online Judge Algorithms Problems. ",357,291,FreeTymeKiyan,Kiyan,User,"Sunnyvale, CA",357
ExpandableSelector,Karumi/ExpandableSelector,Java,ExpandableSelector is an Android library created to show a list of Button/ImageButton widgets inside a animated container which can be collapsed or expanded.,357,58,Karumi,Karumi,Organization,"Madrid, Spain",2202
Dividers,Karumi/Dividers,Java,Dividers is a simple Android library to create easy separators for your RecyclerViews,358,44,Karumi,Karumi,Organization,"Madrid, Spain",2202
expandable-recycler-view,bignerdranch/expandable-recycler-view,Java,Expandable Recycler View,356,82,bignerdranch,Big Nerd Ranch,Organization,"Atlanta, GA, USA",842
TabbedCoordinatorLayout,vitovalov/TabbedCoordinatorLayout,Java,TabbedCoordinatorLayout is a Sample project demostrating the usage of TabLayout (ViewPager with Tabs) inside of CollapsingToolbarLayout all together in CoordinatorLayout,353,57,vitovalov,Vitaliy Konovalov,User,"Barcelona, Spain",353
PhysicsLayout,Jawnnypoo/PhysicsLayout,Java,Android layout that simulates physics using JBox2D,356,40,Jawnnypoo,John,User,"Dallas, Texas",356
Sky31Radio,linroid/Sky31Radio,Java,湘潭大学三翼校园'四季电台' Android客户端,354,85,linroid,张林,User,"Hunan, China",945
HTTPDNSLib,SinaMSRE/HTTPDNSLib,Java,,354,84,SinaMSRE,,Organization,北京,830
colorize,cesarferreira/colorize,Java,Android access to 1000+ colors!,349,58,cesarferreira,César Ferreira,User,Lisbon,2122
BadgedImageview,yesidlazaro/BadgedImageview,Java,BadgedImageview allow you show a badge into a Imageview.,351,48,yesidlazaro,Yesid,User,"Bogotá, Colombia",452
NetGuard,M66B/NetGuard,Java,A simple way to block access to the internet per application,349,79,M66B,Marcel Bokhorst,User,"Dordrecht, the Netherlands",349
BooheeScrollView,zhaozhentao/BooheeScrollView,Java,interesting scrollview,352,78,zhaozhentao,涛,User,"Foshan,China",1361
AwesomeSplash,ViksaaSkool/AwesomeSplash,Java,Awesome-looking customizable splash screen,350,46,ViksaaSkool, ViksaaSkool ,User,"Skopje, Macedonia",350
TwitterCover-Android,cyndibaby905/TwitterCover-Android,Java,The Android version of https://github.com/cyndibaby905/TwitterCover,351,45,cyndibaby905,Hang Chen,User,"Beijing, China",351
RadarScanView,gpfduoduo/RadarScanView,Java,android下自定义View之雷达扫描 The Radar (Scanning) View on Android 当扫描到对象的时候,通过水波纹的方式显示扫描到的对象,可以动态的随机添加,并且扫描到的对象是可以点击的……,351,84,gpfduoduo,郭攀峰,User,Nanjing Jiangsu. China,466
ChatMessageView,himanshu-soni/ChatMessageView,Java,Android library to create chat message view easily,349,61,himanshu-soni,Himanshu Soni,User,"Indore, India",649
bitmapMesh,7heaven/bitmapMesh,Java,bitmapMesh demo,349,78,7heaven,7heaven,User,"Beijing, China",1045
freepager,alexzaitsev/freepager,Java,ViewPagers library for Android,348,72,alexzaitsev,Alexander Zaitsev,User,Ukraine,348
FoldableLayout,worldline/FoldableLayout,Java,An Android demo of a foldable layout implementation.,349,57,worldline,Worldline,Organization,,349
TreeRecyclerView,nuptboyzhb/TreeRecyclerView,Java,TreeRecyclerView Demo,347,62,nuptboyzhb,Zheng Haibo(莫川),User,"Hangzhou,Zhejiang,China",727
RedEnvelopeAssistant,waylife/RedEnvelopeAssistant,Java,RedEnvelopeAssistant 微信/支付宝红包助手,344,167,waylife,RxRead,User,"Shenzhen,China",531
introduction,rubengees/introduction,Java,An Android library to show an intro to your users.,345,49,rubengees,Ruben Gees,User,"Bielefeld, Germany",345
EasyMVP,JorgeCastilloPrz/EasyMVP,Java,Model-View-Presenter Android implementation plus Dagger scoping and Material backwards compatibility.,342,53,JorgeCastilloPrz,Jorge Castillo,User,Madrid,2193
FabDialogMorph,hujiaweibujidao/FabDialogMorph,Java,Fab and Dialog Morphing Animation on Android,341,42,hujiaweibujidao,潇涧,User,Beijing.China,341
ExRecyclerView,tianzhijiexian/ExRecyclerView,Java,扩展的RecyclerView,拥有添加头、底等多种操作,340,76,tianzhijiexian,Kale,User,China,2645
RxBlur,SmartDengg/RxBlur,Java,用RxJava处理和操作高斯模糊效果的简单用例。,338,30,SmartDengg,小鄧子,User,,587
BeerSwipeRefresh,recruit-lifestyle/BeerSwipeRefresh,Java,,339,66,recruit-lifestyle,Recruit Lifestyle Co. Ltd.,Organization,"Tokyo, Japan",2255
ImageGallery,lawloretienne/ImageGallery,Java,A gallery used to host an array of images,338,59,lawloretienne,Etienne Lawlor,User,San Francisco,798
PlayAnimations,naman14/PlayAnimations,Java,A demo of various animation in latest PlayGames app,338,54,naman14,Naman Dwivedi,User,"New Delhi, India",2475
AnimTextView,z56402344/AnimTextView,Java,,336,43,z56402344,DuGuang,User,CN,336
SnailBar,android-cjj/SnailBar,Java,"A lovely snail,You can use it as a seekbar or progressbar.",337,59,android-cjj,陈继军,User,"guangzhou,China",2093
FrescoDemo,06peng/FrescoDemo,Java,A demo use Fresco to load image and base on Chris Banes' s Android Design library,337,70,06peng,06peng,User,Guangzhou,337
Lazy,l123456789jy/Lazy,Java,自己整理的常用的工具类,326,78,l123456789jy,Lazy,User,@beijing china,326
ParticleLayout,ZhaoKaiQiang/ParticleLayout,Java,左滑粒子效果,335,43,ZhaoKaiQiang,ZhaoKaiQiang,User,ShanDong QingDao,1899
SectionedRecyclerView,truizlop/SectionedRecyclerView,Java,"An adapter to create Android RecyclerViews with sections, providing headers and footers.",336,49,truizlop,Tomás Ruiz-López,User,"Madrid, Spain",753
FlycoLabelView,H07000223/FlycoLabelView,Java,A Simple Android LabelView.,334,58,H07000223,Flyco,User,"Shanghai, China",2718
FlycoPageIndicator,H07000223/FlycoPageIndicator,Java,A Page Indicator Lib is realized in a different way.,335,70,H07000223,Flyco,User,"Shanghai, China",2718
Lynx,pedrovgs/Lynx,Java,"Lynx is an Android library created to show a custom view with all the information Android logcat is printing, different traces of different levels will be rendererd to show from log messages to your application exceptions. You can filter this traces, share your logcat to other apps, configure the max number of traces to show or the sampling rate used by the library.",335,39,pedrovgs,Pedro Vicente Gómez Sánchez,User,Madrid,2386
spots-dialog,d-max/spots-dialog,Java,Android AlertDialog with mowing dots progress indicator,335,70,d-max,Maksym Dybarskyi,User,"Łodż, Poland",335
google-http-java-client,google/google-http-java-client,Java,Google HTTP Client Library for Java,334,127,google,Google,Organization,,70104
BitmapMerger,cooltechworks/BitmapMerger,Java,Play with bitmaps,334,36,cooltechworks,Cooltechworks,User,"Chennai, India",334
OverscrollScale,dodola/OverscrollScale,Java,ListView overscroll scale,334,44,dodola,dodola,User,Beijing,1841
MaterialFavoriteButton,IvBaranov/MaterialFavoriteButton,Java,Animated favorite/star/like button,333,60,IvBaranov,Ivan Baranov,User,,457
SuesNews,sues-lee/SuesNews,Java,一个符合 Google Material Design 的 Android 校园新闻客户端,330,158,sues-lee,lixu,User,ShangHai,330
Android-Cloud-TagView-Plus,kaedea/Android-Cloud-TagView-Plus,Java,"An Android Cloud Tag Widget. You can edit the tag's style, and set listener of selecting or deleting tag. ",332,75,kaedea,Kaede Akatsuki,User,"Shenzhen, Guangzhou",467
HeaderAndFooterRecyclerView,cundong/HeaderAndFooterRecyclerView,Java,支持addHeaderView、 addFooterView、分页加载的RecyclerView解决方案,331,66,cundong,Cundong,User,"Beijing,China",331
MixtureTextView,hongyangAndroid/MixtureTextView,Java,支持Android图文混排、文字环绕图片等效果,331,55,hongyangAndroid,张鸿洋,User,"Xian,China",8055
android-materialshadowninepatch,h6ah4i/android-materialshadowninepatch,Java,Provides 9-patch based drop shadow for view elements. Works on API level 9 or later.,331,40,h6ah4i,Haruki Hasegawa,User,"Tokyo, Japan",1813
android-RuntimePermissions,googlesamples/android-RuntimePermissions,Java,,330,102,googlesamples,Google Samples,Organization,,13082
CommonAdapter,tianzhijiexian/CommonAdapter,Java,通过封装BaseAdapter和RecyclerView.Adapter得到的通用的,简易的Adapter,331,70,tianzhijiexian,Kale,User,China,2645
Treasure,baoyongzhang/Treasure,Java,Very easy to use wrapper library for Android SharePreferences,330,35,baoyongzhang,Mr.Bao,User,"Beijing, China",330
WeGit,Leaking/WeGit,Java,An Android App for Github,328,59,Leaking,Quinn,User,"Guangzhou, China",692
CustomMenu,flyfei/CustomMenu,Java,CustomMenu quickly realize about the menu,328,51,flyfei,ToviZhao,User,,328
AndroidUIView,drakeet/AndroidUIView,Java,"It's a very simple custom views library according to UIButton of iOS, all of the views can be automatically set a pressed effect to a button with a simple background image without writing a selector.xml",327,72,drakeet,drakeet,User,"Xiamen, China",2863
scouter,scouter-project/scouter,Java,Scouter is an APM for open source softwares.,328,74,scouter-project,Scouter Project,Organization,Powered by LG CNS,328
WheelIndicatorView,dlazaro66/WheelIndicatorView,Java,A 'Google Fit' like activity indicator for Android,327,53,dlazaro66,David Lázaro,User,Granada,327
BubbleView,lguipeng/BubbleView,Java,Bubble View,326,69,lguipeng,lguipeng,User,Shenzhen China,1291
GankDaily,maoruibin/GankDaily,Java,"A application show technical information every working days, use MVP pattern.",324,64,maoruibin,咕咚,User,Beijing,464
MeiTuanLocateCity,yangxu4536/MeiTuanLocateCity,Java,仿美团城市选择界面,可直接用在实际项目中,324,72,yangxu4536,,User,,324
Android_Blog_Demos,hongyangAndroid/Android_Blog_Demos,Java,source code in blog~,324,320,hongyangAndroid,张鸿洋,User,"Xian,China",8055
WashingMachineView,naman14/WashingMachineView,Java,An interactive view with water waves flowing like in a Washing machine,325,47,naman14,Naman Dwivedi,User,"New Delhi, India",2475
MathView,kexanie/MathView,Java,A library for displaying math formula in Android apps.,322,34,kexanie,Brian Lee,User,"Zhuhai, China",322
FoldingTabBar.Android,tosslife/FoldingTabBar.Android,Java,folding tabbar menu for Android. This is a menu library.You can easily add a nice animated tab menu to your app.,321,75,tosslife,bian.xd,User,China BeiJing,480
StatedFragment,nuuneoi/StatedFragment,Java,,321,52,nuuneoi,Sittiphol Phanvilai,User,"Bangkok, Thailand",799
InteractiveCanvas,elevenetc/InteractiveCanvas,Java,Library for distribution canvas animation over set of devices,321,38,elevenetc,Eugene Levenetc,User,"Russia, Saint-Petersburg",2330
ScoreBoard,SeniorZhai/ScoreBoard,Java,,321,46,SeniorZhai,仔仔,User,,321
frenchtoast,pyricau/frenchtoast,Java,Stale Android Toasts made tasty.,321,30,pyricau,Pierre-Yves Ricau,User,San Francisco,744
material-cat,konifar/material-cat,Java,Cat photos app for Material Design Animation sample.,319,60,konifar,Yusuke Konishi,User,Japan,710
re2j,google/re2j,Java,linear time regular expression matching in Java,319,30,google,Google,Organization,,70104
FABToolbar,fafaldo/FABToolbar,Java,Floating Action Button transforming into toolbar,320,41,fafaldo,Rafał Tułaza,User,,615
ThemeDemo,zzz40500/ThemeDemo,Java,日夜间模式切换,320,44,zzz40500,轻微,User,Shanghai China,2914
ColoringLoading,recruit-lifestyle/ColoringLoading,Java,,319,47,recruit-lifestyle,Recruit Lifestyle Co. Ltd.,Organization,"Tokyo, Japan",2255
TagCloudView,kingideayou/TagCloudView,Java,支持 SingleLine 模式的标签云效果,319,86,kingideayou,NeXT,User,"Beijing, China",712
android-patternview,geftimov/android-patternview,Java,Pattern view for android.That one using lock or unlock.,318,62,geftimov,Georgi Eftimov,User,"Sofia, Bulgaria",1887
WhorlView,Kyson/WhorlView,Java,Progressbar with whorl style ,316,71,Kyson,AndroidKy,User,,441
android-FingerprintDialog,googlesamples/android-FingerprintDialog,Java,,315,86,googlesamples,Google Samples,Organization,,13082
heroic,spotify/heroic,Java,The Heroic Time Series Database,315,15,spotify,Spotify,Organization,,1430
Trigger,airk000/Trigger,Java,"JobScheduler is a good feature of Android Lollipop, but what a pity only Lollipop. ",316,38,airk000,Kevin Liu,User,China,316
TinyTask,inaka/TinyTask,Java,A Tiny Task Library,315,31,inaka,Inaka,Organization,"Argentina, Brazil, Colombia and the USA",315
AndroidProcesses,jaredrummler/AndroidProcesses,Java,A small library to get the current running processes on Android,314,58,jaredrummler,Jared Rummler,User,"Placentia, CA",314
HeaderRecyclerView,Karumi/HeaderRecyclerView,Java,HeaderRecyclerView is an Android library created to be able to use RecyclerView.Adapter with a header in a easy way. To use this library create your RecyclerView.Adapter classes extending from HeaderRecyclerViewAdapter.,314,38,Karumi,Karumi,Organization,"Madrid, Spain",2202
DroidFix,bunnyblue/DroidFix,Java,AndroidHotFix/Android 代码热修复,314,76,bunnyblue,Bunny Blue,User,"San Francisco,CA",914
MVPAndroidBootstrap,richardradics/MVPAndroidBootstrap,Java,Clean MVP bootstrap architecture,314,51,richardradics,Richard Radics,User,Budapest,471
micro-server,aol/micro-server,Java,"Microserver is a Java 8 native, zero configuration, standards based, battle hardened library to run Java Rest Microservices via a standard Java main class. Supporting pure Microservice or Micro-monolith styles.",313,77,aol,AOL,Organization,"Dulles, VA",839
Android-PickPhotos,crosswall/Android-PickPhotos,Java,PickPhotos for Android Devices.It‘s a simple MVP demo.,312,55,crosswall,Hugo Yu,User,China,312
CircleLoadingView,jhw-dev/CircleLoadingView,Java,An image-view with circle loading animation,312,36,jhw-dev,聚会玩,Organization,Shanghai,312
AndroidIndicators,MoshDev/AndroidIndicators,Java,,311,38,MoshDev,MoshDev,User,Jordan,311
EmailAutoCompleteTextView,tasomaniac/EmailAutoCompleteTextView,Java,An AutoCompleteTextView with builtin Adapter with the emails in the device.,311,33,tasomaniac,Said Tahsin Dane,User,Istanbul,311
FabTransitionLayout,bowyer-app/FabTransitionLayout,Java,,310,46,bowyer-app,bowyer-app,User,"Tokyo, Japan",496
RxPeople,cesarferreira/RxPeople,Java,Observing people... wait what?,310,46,cesarferreira,César Ferreira,User,Lisbon,2122
Circle-Progress-View,jakob-grabner/Circle-Progress-View,Java,A animated circle view. Can be used as loading indicator and to show progress or values in a circular manner. ,309,67,jakob-grabner,Jakob Grabner,User,,309
NBAPlus,SilenceDut/NBAPlus,Java,A concise APP about NBA News and Event with RxJava and EventBus,309,55,SilenceDut,,User,,309
SilkCal,NLMartian/SilkCal,Java,Android calendar view inspired by Sunrise calendar and iOS7 stock calendar,307,48,NLMartian,JunGuan Zhu,User,Shanghai,307
SwipeMenuRecyclerView,TUBB/SwipeMenuRecyclerView,Java,"A swipe menu for RecyclerView, extend from SwipeMenuListView.",306,40,TUBB,Pobi,User,ShangHai,306
RxRecyclerView,exallium/RxRecyclerView,Java,Reactive RecyclerView Adapter,305,14,exallium,Alex Hart,User,"Halifax, NS",305
BetterSpinner,Lesilva/BetterSpinner,Java,A library creates spinners for Android that really work,304,71,Lesilva,Wei Wang,User,United States,304
EasyDialog,michaelye/EasyDialog,Java,"A lightweight, flexible tip dialog in Android",303,87,michaelye,MichaelYe,User,China,303
dashclock,romannurik/dashclock,Java,Home screen widget for Android 4.2+,302,62,romannurik,Roman Nurik,User,"New York, NY",1668
DrawableView,PaNaVTEC/DrawableView,Java,A view that allows to paint and saves the result as a bitmap,302,45,PaNaVTEC,Christian Panadero,User,London,687
nevolution,oasisfeng/nevolution,Java,"Evolve the Android notification experience of existing apps, with community-driven plug-ins.",302,24,oasisfeng,oasisfeng,User,,302
Aftermath,MichaelEvans/Aftermath,Java,"A simple, annotation-based Android library for generating onActivityForResult handlers.",302,22,MichaelEvans,Michael Evans,User,"Washington, DC",302
WaveCompat,wangjiegulu/WaveCompat,Java,Wave effect of activity animation,301,65,wangjiegulu,WangJie,User,,1178
FAB-Loading,SaeedMasoumi/FAB-Loading,Java,A loading animation based on Floating Action Button,301,47,SaeedMasoumi,Saeed Masoumi,User,"Tehran, Iran",301
v2ex-android,greatyao/v2ex-android,Java,掌上V2EX,300,84,greatyao,YAO Wei,User,SH,300
QuantityView,himanshu-soni/QuantityView,Java,Android quantity view with add and remove button.,300,48,himanshu-soni,Himanshu Soni,User,"Indore, India",649
simple-react,aol/simple-react,Java,Powerful Future Streams & Async Data Structures for Java 8,300,21,aol,AOL,Organization,"Dulles, VA",839
Lightweight-Stream-API,aNNiMON/Lightweight-Stream-API,Java,Stream API from Java 8 rewrited on iterators for Java 7 and below,299,14,aNNiMON,Victor Melnik,User,"Ukraine, Donets'k",299
voice-recording-visualizer,tyorikan/voice-recording-visualizer,Java,Simple Visualizer from mic input for Android.,298,43,tyorikan,Takayuki Yorikane,User,"Tokyo, Japan",298
citylist,gugalor/citylist,Java,城市列表选择 a true copy,298,58,gugalor,,User,,298
MaterialImageLoading,florent37/MaterialImageLoading,Java,Material image loading implementation,296,38,florent37,Florent CHAMPIGNY,User,France,8281
ComicReader,android-cjj/ComicReader,Java,漫画App,296,104,android-cjj,陈继军,User,"guangzhou,China",2093
BlurZoomGallery,fafaldo/BlurZoomGallery,Java,"Extended CoordinatorLayout, that helps creating background galleries",295,39,fafaldo,Rafał Tułaza,User,,615
CleverRecyclerView,luckyandyzhang/CleverRecyclerView,Java,CleverRecyclerView 是一个基于RecyclerView的扩展库,提供了与ViewPager类似的滑动效果并且添加了一些有用的特性。,294,47,luckyandyzhang,Andy Zhang,User,Guangzhou,294
ZhuanLan,bxbxbai/ZhuanLan,Java,一个知乎专栏App,294,80,bxbxbai,Xuebin,User,shanghai,294
sketches-core,DataSketches/sketches-core,Java,Core Sketch Library,294,89,DataSketches,,Organization,,294
MaterialSettings,kenumir/MaterialSettings,Java,MaterialSettings - small library to create settings activity,294,41,kenumir,kenumir,User,,294
retroauth,andretietz/retroauth,Java,"Android library build on top of retrofit, for simple handling of authenticated requests",293,21,andretietz,André Tietz,User,Hamburg,293
MultiStateAnimation,KeepSafe/MultiStateAnimation,Java,Android library to create complex multi-state animations.,293,27,KeepSafe,KeepSafe,Organization,San Francisco,1311
DragScaleCircleView,hpfs0/DragScaleCircleView,Java,a custom view that provides dragged and scaled,292,31,hpfs0,,User,,292
clockwise,ustwo/clockwise,Java,Watch face framework for Android Wear developed by ustwo,291,36,ustwo,ustwo™,Organization,London / Malmo / New York / Sydney,511
CrashWoodpecker,drakeet/CrashWoodpecker,Java,An uncaught exception handler library like Square's LeakCanary.,291,33,drakeet,drakeet,User,"Xiamen, China",2863
AndroidPermissions,ZeroBrain/AndroidPermissions,Java,,290,24,ZeroBrain,Seong-Ug Steve Jung,User,Republic of Korea,290
MaterialImageView,zhaozhentao/MaterialImageView,Java,小而美的MaterialImageView,290,59,zhaozhentao,涛,User,"Foshan,China",1361
AnimCheckBox,lguipeng/AnimCheckBox,Java,Animation CheckBox,289,54,lguipeng,lguipeng,User,Shenzhen China,1291
PinterestView,brucetoo/PinterestView,Java,Pinterest like awesome menu control for Android,289,51,brucetoo,Bruce too,User,"Guangzhou,China",1036
BottomSheet,Kennyc1012/BottomSheet,Java,BottomSheet style dialogs for Android,289,36,Kennyc1012,Kenny Campagna,User,,719
AnimateCheckBox,hanks-zyh/AnimateCheckBox,Java,A custom view in Android with a animation when CheckBox status changed,288,80,hanks-zyh,张玉涵,User,Beijing,2679
Remindly,blanyal/Remindly,Java,Remindly is a simple and user friendly application to create reminders.,287,73,blanyal,Blanyal D'Souza,User,Mumbai,287
material-pause-play-animation,alexjlockwood/material-pause-play-animation,Java,,287,22,alexjlockwood,Alex Lockwood,User,"Manhattan, NY",486
FingerTransparentView,drakeet/FingerTransparentView,Java,手指区域羽化透明,显示出底部图片布局区域。,287,49,drakeet,drakeet,User,"Xiamen, China",2863
QuickSand,blundell/QuickSand,Java,Automatically manipulates the duration of animations dependent on view count. Quicksand .. the more you struggle.,286,29,blundell,Paul Blundell,User,UK,286
AndroidFine,tianshaojie/AndroidFine,Java,Android快速开发框架,286,146,tianshaojie,tiansj,User,,286
ysoserial,frohoff/ysoserial,Java,A proof-of-concept tool for generating payloads that exploit unsafe Java object deserialization.,284,116,frohoff,Chris Frohoff,User,"San Diego, CA",284
TuentiTV,pedrovgs/TuentiTV,Java,Tuenti application for Android TV created to show some of the most important features related to Android TV projects. This little sample uses mocked data to simulate an application working with information from Tuenti servers.,283,65,pedrovgs,Pedro Vicente Gómez Sánchez,User,Madrid,2386
AutosizeEditText,txusballesteros/AutosizeEditText,Java,AutosizeEditText for Android is an extension of native EditText that offer a smooth auto scale text size.,282,34,txusballesteros,Txus Ballesteros,User,"Barcelona, Spain",1792
LollipopContactsRecyclerViewFastScroller,AndroidDeveloperLB/LollipopContactsRecyclerViewFastScroller,Java,A sample of how to mimic the way that the contacts app handles a Fast-Scroller for a RecyclerView,282,54,AndroidDeveloperLB,,User,,282
MultiThreadDownload,Aspsine/MultiThreadDownload,Java,Android Multi-Thread Download library,282,89,Aspsine,Running man!,User,Beijing,560
fab-toolbar,AlexKolpa/fab-toolbar,Java,Implementing Google's new material design FAB toolbar,282,46,AlexKolpa,Alex Kolpa,User,,282
CNode-Material-Design,TakWolf/CNode-Material-Design,Java,CNode社区第三方Android客户端,原生App,Material Design风格,支持夜间模式,281,93,TakWolf,TakWolf,User,Beijing China,281
RxRelay,JakeWharton/RxRelay,Java,RxJava types that are both an Observable and an Action1.,281,16,JakeWharton,Jake Wharton,User,"Pittsburgh, PA",3450
Decor,chemouna/Decor,Java,"Android layout decorators : Injecting custom attributes in layout files, Using decorators to get rid of unnecessary class explosion with custom views",280,21,chemouna,Mouna Cheikhna,User,"Paris, France",280
NewPipe,theScrabi/NewPipe,Java,A lightweight Youtube frontend for Android.,280,38,theScrabi,Christian Schabesberger,User,Germany,280
SwipeToLoadLayout,Aspsine/SwipeToLoadLayout,Java,SwipeToLoadLayout provides a standered to achieve pull-to-refresh and pull-to-loadmore.,278,48,Aspsine,Running man!,User,Beijing,560
UIBlock,tianzhijiexian/UIBlock,Java,代替fragment的轻量级解耦UI的类,277,48,tianzhijiexian,Kale,User,China,2645
graphql-java,andimarek/graphql-java,Java,GraphQL Java implementation,277,35,andimarek,Andreas Marek,User,Berlin,277
CoordinatorExamples,saulmm/CoordinatorExamples,Java,,277,42,saulmm,Saul Molinero,User,"Vigo, Spain",4157
Android-TopScrollHelper,kmshack/Android-TopScrollHelper,Java,Android-TopScrollHelper,277,35,kmshack,"Minsoo, Kim",User,"Seoul, South Korea",277
githot,andyiac/githot,Java, GitHot is an Android App that will help you to find the world most popular project and person,276,63,andyiac,andyiac,User,Beijing,276
CatKit,cesarferreira/CatKit,Java,Android kit for cat placeholders :cat: ,275,29,cesarferreira,César Ferreira,User,Lisbon,2122
Android-PictureTagView,saiwu-bigkoo/Android-PictureTagView,Java,仿nice图片上打标签控件,275,69,saiwu-bigkoo,sai,User,guangzhou,663
anvil,zserge/anvil,Java,A minimal reactive UI library for Android,274,18,zserge,Serge Zaitsev,User,Ukraine,376
WearMenu,florent37/WearMenu,Java,An Android Wear Menu implementation,274,29,florent37,Florent CHAMPIGNY,User,France,8281
Slide,ccrama/Slide,Java,"Slide is an open sourced, ad free Reddit browser for Android",272,65,ccrama,,User,,272
PracticeDemo,AlanCheen/PracticeDemo,Java,"个人练习项目,记录成长之路",272,72,AlanCheen,程序亦非猿,User,"HangZhou,ZheJiang,China",272
search-guard,floragunncom/search-guard,Java,Elasticsearch security for free.,271,71,floragunncom,floragunn UG,User,,271
colorpicker,QuadFlask/colorpicker,Java,color picker for android,270,52,QuadFlask,,User,"Seoul, South Korea",270
atlasdb,palantir/atlasdb,Java,Transactional Distributed Database layer,270,27,palantir,Palantir Technologies,Organization,"Palo Alto, CA",270
SHSegmentControl,7heaven/SHSegmentControl,Java,segmentcontrol widget for android,269,74,7heaven,7heaven,User,"Beijing, China",1045
TinyPinyin,promeG/TinyPinyin,Java,适用于Java和Android的快速、低内存占用的汉字转拼音库。,269,35,promeG,promeG,User,,479
java-core-learning-example,JeffLi1993/java-core-learning-example,Java,关于Java核心技术学习积累的例子,是初学者及核心技术巩固的最佳实践。,268,112,JeffLi1993,BYSocket,User,WMU,268
DWCinemaAnimation-Android,DavidWangTM/DWCinemaAnimation-Android,Java,An Android native implementation of a Cinema Animation Application. See more at https://dribbble.com/shots/2339238-Animation-for-Cinema-Application. Android上电影购票的动效实现,267,51,DavidWangTM,DavidWang,User,XIAMEN,267
Conquer,hanks-zyh/Conquer,Java,A todo list app base Material Design,266,76,hanks-zyh,张玉涵,User,Beijing,2679
LogUtils,pengwei1024/LogUtils,Java,More convenient and easy to use android Log manager,265,72,pengwei1024,舞影凌风,User,,265
AndroidHeroes,xuyisheng/AndroidHeroes,Java,Source code of the book - Android群英传,265,173,xuyisheng,xuyisheng,User,"pudong,shanghai",1228
android-data-binding-recyclerview,radzio/android-data-binding-recyclerview,Java,Using Recyclerview with the new Android Data Binding framework,265,41,radzio,Radek Piekarz,User,,265
showhidepasswordedittext,scottyab/showhidepasswordedittext,Java,Show/Hide Password EditText is a very simple extension of Android's EditText that puts a clickable hide/show icon in the right hand side of the EditText that allows showing of the password. ,265,29,scottyab,Scott Alexander-Bown,User,"Bristol, UK",265
AnimRefreshRecyclerView,shichaohui/AnimRefreshRecyclerView,Java,下拉刷新和上拉加载更多的RecyclerView,具有下拉和刷新动画。,264,79,shichaohui,啊ooo,User,,264
digitus,afollestad/digitus,Java,A library that heavily simplifies the use of Marshmallow's Fingerprint API (Nexus Imprint).,264,31,afollestad,Aidan Follestad,User,"Minneapolis, Minnesota",2553
BeautifulParallax,florent37/BeautifulParallax,Java,Beautify your RecyclerViews with a great parallax effect !,263,42,florent37,Florent CHAMPIGNY,User,France,8281
Android-AlertView,saiwu-bigkoo/Android-AlertView,Java,仿iOS的AlertViewController,262,75,saiwu-bigkoo,sai,User,guangzhou,663
AndroidFlowLayout,LyndonChin/AndroidFlowLayout,Java,A flow layout for Android,262,70,LyndonChin,liangfei,User,"Hangzhou, Zhejiang, China",2548
RecyclerViewSwipeDismiss,CodeFalling/RecyclerViewSwipeDismiss,Java,A very easy-to-use and non-intrusive implement of Swipe to dismiss for RecyclerView.,262,40,CodeFalling,She Jinxin,User,"Wuxi, China",395
google-java-format,google/google-java-format,Java,,261,37,google,Google,Organization,,70104
parallec,eBay/parallec,Java,"Fast Parallel Async HTTP/SSH/TCP/Ping Client Java Library. Aggregate 10,000 APIs & send anywhere in 20 lines of code.Ping/HTTP Calls 8000 servers in 12 seconds. (Akka) http://www.parallec.io",261,38,eBay,,Organization,,1832
vertx-examples,vert-x3/vertx-examples,Java,,261,326,vert-x3,,Organization,The multiverse,261
Nox,pedrovgs/Nox,Java,Nox is an Android library created to show a custom view with some images or drawables inside which are drawn following a shape indicated by the library user.,261,40,pedrovgs,Pedro Vicente Gómez Sánchez,User,Madrid,2386
MaterialScrollBar,krimin-killr21/MaterialScrollBar,Java,An Android library that brings the Material Design 5.1 sidebar to pre-5.1 devices.,260,48,krimin-killr21,Turing Technologies,User,"Raleigh, NC, USA",260
SwipeRefreshLayout,Demievil/SwipeRefreshLayout,Java,An extension of android.support.v4.widget.SwipeRefreshLayout with loading more function,259,85,Demievil,Liu Yan,User,"Beijing, China",259
react-native-gifted-messenger,FaridSafi/react-native-gifted-messenger,Java,Ready-to-use chat interface for iOS and Android React-Native apps,259,31,FaridSafi,Farid from Safi,User,"Paris, France",364
HeadsUp,zzz40500/HeadsUp,Java,android 5.0 lollipop 风格 Heads-up,258,68,zzz40500,轻微,User,Shanghai China,2914
materialize,oxoooo/materialize,Java,Materialize all those not material,258,36,oxoooo,OXO,Organization,"Guangzhou, China",841
AndroidFontsManager,GcsSloop/AndroidFontsManager,Java,字体管理器,方便快速的为应用内所有组件更换字体。,257,52,GcsSloop,sloop,User,,257
android-test-demo,chiuki/android-test-demo,Java,"Android testing with Dagger 2, Espresso 2 and Mockito",257,43,chiuki,Chiu-Ki Chan,User,"Boulder, CO",787
AppTour,vlonjatg/AppTour,Java,Show your apps key features in a cool way.,257,32,vlonjatg,Vlonjat Gashi,User,,785
MaskProgressView,iammert/MaskProgressView,Java,Yet another android custom progress view for your music player,256,26,iammert,Mert Şimşek,User,Eskisehir/Turkey,2202
GooeyMenu,anshulagarwal2k/GooeyMenu,Java,Android Fab Button with Gooey effect,256,63,anshulagarwal2k,Anshul,User,,256
DataMiningAlgorithm,linyiqun/DataMiningAlgorithm,Java,数据挖掘18大算法实现以及其他相关经典DM算法,255,218,linyiqun,lyq,User,Zhejiang HangZhou,255
rxpresso,novoda/rxpresso,Java,Easy Espresso UI testing for Android applications using RxJava.,255,13,novoda,Novoda,Organization,Multiple Locations,411
500px-guideview,hanks-zyh/500px-guideview,Java,500px guideview demo,255,61,hanks-zyh,张玉涵,User,Beijing,2679
IntentBuilder,emilsjolander/IntentBuilder,Java,Type safe intent building for services and activities,254,16,emilsjolander,Emil Sjölander,User,"London, England",254
SegmentedBarView,gspd-mobi/SegmentedBarView,Java,Custom UI control for android which is showing data as a segments and a value inside them.,254,37,gspd-mobi,GSPD Mobile and Web Apps,Organization,,254
range-slider-view,channguyen/range-slider-view,Java,Android Range Slider View,253,40,channguyen,Chan Nguyen,User,,253
egads,yahoo/egads,Java,Extendible Generic Anomaly Detection System,253,56,yahoo,Yahoo Inc.,Organization,"Sunnyvale, California",10798
AndroidTDDBootStrap,Piasy/AndroidTDDBootStrap,Java,A bootstrap project for TDD Android.,253,30,Piasy,Piasy,User,"Beijing, China",414
android-selector-intellij-plugin,importre/android-selector-intellij-plugin,Java,:art: Generate selectors for background drawable,252,20,importre,Jaewe Heo,User,"Seoul, Korea",252
cwac-cam2,commonsguy/cwac-cam2,Java,"Android Camera API, Made Better. Again.",252,49,commonsguy,Mark Murphy,User,,252
Leisure,MummyDing/Leisure,Java,"Leisure is an Android App containing Zhihu Daily,Guokr Scientific,XinhuaNet News and Douban Books",252,57,MummyDing,MummyDing,User,Jiangxi Normal Univiersity,252
StackOverView,Bossyao168/StackOverView,Java,a custom widget of android,like task manager of android 5.0.,252,37,Bossyao168,BOSSYAO,User,,252
speedment,speedment/speedment,Java,Wrap your database into Java 8,252,35,speedment,Speedment,Organization,Palo Alto,252
TSnackBar,AndreiD/TSnackBar,Java,Android Snackbar from the Top (similar to Crouton),251,36,AndreiD,Dan,User,Europe,251
ACDD,bunnyblue/ACDD,Java,"ACDD,Android Component Dynamic Deployment(plugin) Solution,if any question,send me e-mail Solution",251,107,bunnyblue,Bunny Blue,User,"San Francisco,CA",914
jackdaw,vbauer/jackdaw,Java,Java Annotation Processor which allows to simplify development,251,16,vbauer,Vladislav Bauer,User,,566
Android-MaterialDeleteLayout,android-cjj/Android-MaterialDeleteLayout,Java,Maetrial Design Delete Concept Implement,251,50,android-cjj,陈继军,User,"guangzhou,China",2093
RengwuxianRxjava,androidmalin/RengwuxianRxjava,Java,扔物线《给Android开发者的RxJava详解》文章中的例子,251,49,androidmalin,Ma Lin,User,"Beijing,China",251
PhotoView,bm-x/PhotoView,Java,图片浏览缩放控件,250,97,bm-x,,User,,250
ShadowViewHelper,wangjiegulu/ShadowViewHelper,Java,"Shadow layout, shadow view for android.",250,35,wangjiegulu,WangJie,User,,1178
shelly,jtribe/shelly,Java,Fluent API for common Intent use-cases for Android,250,20,jtribe,jtribe,Organization,Melbourne,250
inbloom,EverythingMe/inbloom,Java,Cross language bloom filter implementation,250,14,EverythingMe,EverythingMe,Organization,,740
easyloadingbtn,DevinShine/easyloadingbtn,Java,This is a Material Design loading button,249,42,DevinShine,DevinShine,User,"Hangzhou, China",455
RxWeather,SmartDengg/RxWeather,Java,Architecting Android with RxJava,249,50,SmartDengg,小鄧子,User,,587
RearrangeableLayout,rajasharan/RearrangeableLayout,Java,An android layout to re-arrange child views via dragging,249,43,rajasharan,Raja Sharan Mamidala,User,NJ,378
PicassoPalette,florent37/PicassoPalette,Java,Android Lollipop Palette is now easy to use with Picasso !,248,23,florent37,Florent CHAMPIGNY,User,France,8281
leakcanary-demo,liaohuqiu/leakcanary-demo,Java,The demo for leakcanary: https://github.com/square/leakcanary,248,100,liaohuqiu,Huqiu Liao,User,"San Francisco, United states",2307
MaterialRecents,ZieIony/MaterialRecents,Java,Lollipop's Recents container,248,44,ZieIony,,User,,1341
materialdoc,materialdoc/materialdoc,Java,,248,24,materialdoc,Materialdoc,Organization,,248
Intro-To-RxJava,Froussios/Intro-To-RxJava,Java,An extensive tutorial on RxJava,248,33,Froussios,Chris Froussios,User,Netherlands,248
Bugtags-Android,bugtags/Bugtags-Android,Java,Simple and effective bug & crash reporting tool for Android apps,248,34,bugtags,"Bugtags, Ltd.",Organization,Beijing,248
CtCI-6th-Edition,gaylemcd/CtCI-6th-Edition,Java,,246,224,gaylemcd,Gayle McDowell,User,United States,246
SpinningTabStrip,eccyan/SpinningTabStrip,Java,Shall we spin ?,246,31,eccyan,eccyan,User,"Japan, Tokyo",246
LabelView,corerzhang/LabelView,Java,一个简单的标签控件,245,23,corerzhang,Corer,User,,245
TinderView,GadgetCheck/TinderView,Java,Created a Tinder like Card Deck & Captain Train like Toolbar,244,34,GadgetCheck,Aradh Pillai,User,India,244
AndroidRecyclerViewDemo,Frank-Zhu/AndroidRecyclerViewDemo,Java,Android RecyclerView Demo ,244,89,Frank-Zhu,祝文武,User,Shanghai China,244
coursera-android-labs,aporter/coursera-android-labs,Java,Skeletons and Tests - Programming Mobile Applications for Android Handheld Systems,243,1433,aporter,Adam Porter,User,,243
RecyclerView-MultipleViewTypesAdapter,yqritc/RecyclerView-MultipleViewTypesAdapter,Java,Android library defining adapter classes of RecyclerView to manage multiple view types,243,51,yqritc,Yoshihito Ikeda,User,"Yokohama, Japan",1385
wqgallery,wqandroid/wqgallery,Java,android 相册支持单选模式和多选模式,242,80,wqandroid,,User,,242
header-decor,edubarr/header-decor,Java,A couple of sticky header decorations for android's recycler view.,242,37,edubarr,Eduardo Barrenechea,User,,242
JustWeTools,lfkdsk/JustWeTools,Java,Some useful tools,242,50,lfkdsk,JustWe,User,大连,704
AndroidBase,huangwm1984/AndroidBase,Java,整理项目开发中用到的开源框架封装、测试例子、开发中遇到的问题等,241,47,huangwm1984,huangweimin,User,,241
DraggableFlipView,sasakicks/DraggableFlipView,Java,,240,24,sasakicks,Tomohiro Sasaki ,User,Tokyo,240
Surus,Netflix/Surus,Java,,240,43,Netflix,"Netflix, Inc.",Organization,"Los Gatos, California",8686
ParallaxSwipeBack,bushijie/ParallaxSwipeBack,Java,带视觉差的侧滑返回,类似于新版微信和lofter的侧滑返回效果。核心代码小于50行,240,60,bushijie,,User,,240
CropperNoCropper,jayrambhia/CropperNoCropper,Java,Instagram Style Image Cropper for Android (Demo),240,46,jayrambhia,Jay Rambhia,User,Bangalore,240
PianoView,north2014/PianoView,Java,原创自定义控件之-仿最美应用的琴键控件,239,30,north2014,Bai xiaokang,User,,816
Foursquare-CollectionPicker,anton46/Foursquare-CollectionPicker,Java,Collection Picker is an Android View library that looks like Foursquare Tastes picker,239,46,anton46,Anton Nurdin Tuhadiansyah,User,Jakarta,1004
qianghongbao,lendylongli/qianghongbao,Java,微信抢红包外挂源码,238,173,lendylongli,李翊(LeOn),User,,238
armeria,line/armeria,Java,"Asynchronous RPC/API client/server library built on top of Java 8, Netty 4.1, HTTP/2, and Thrift",238,51,line,LINE,Organization,"Tokyo, Japan",238
KugouLayout,zhaozhentao/KugouLayout,Java,an interesting layout,238,78,zhaozhentao,涛,User,"Foshan,China",1361
crossview,cdflynn/crossview,Java,A Toggling Add/Remove button,238,35,cdflynn,Collin Flynn,User,Minneapolis,238
ignite,apache/ignite,Java,Mirror of Apache Ignite,238,165,apache,The Apache Software Foundation,Organization,,3728
Android-ProgressBarWidthNumber,hongyangAndroid/Android-ProgressBarWidthNumber,Java,继承ProgressBar实现的两种风格的滚动条,非常容易理解。,237,94,hongyangAndroid,张鸿洋,User,"Xian,China",8055
ToolbarPanel,NikoYuwono/ToolbarPanel,Java,Toolbar that can be slided down to show a panel,237,29,NikoYuwono,Niko Yuwono,User,"Tokyo, Japan",237
MiClockView,AvatarQing/MiClockView,Java,A duplication of the clock on MIUI v6 ,235,48,AvatarQing,Avatar Qing,User,"Hefei, China",235
friendspell,chiuki/friendspell,Java,Party icebreaker game based on the Google Nearby API,235,37,chiuki,Chiu-Ki Chan,User,"Boulder, CO",787
driveimageview,mrwonderman/driveimageview,Java,An advanced ImageView with a nice approach to display some text inside it.,235,29,mrwonderman,Yannick Signer,User,Zurich,235
JsonAnnotation,tianzhijiexian/JsonAnnotation,Java,利用注解自动生成Gson‘s Model的库,234,28,tianzhijiexian,Kale,User,China,2645
FreeBuilder,google/FreeBuilder,Java,Automatic generation of the Builder pattern for Java 1.6+,234,30,google,Google,Organization,,70104
kylin,apache/kylin,Java,Mirror of Apache Kylin,233,130,apache,The Apache Software Foundation,Organization,,3728
CloudEditText,g707175425/CloudEditText,Java,"EditText内容分不同块显示,支持校验,删除块,添加块,得到块代表的字符串集合",233,65,g707175425,gys,User,,233
SHSwitchView,7heaven/SHSwitchView,Java,an iOS-7 Style Switch for android,232,69,7heaven,7heaven,User,"Beijing, China",1045
BusWear,tajchert/BusWear,Java,EventBus for Android Wear devices.,231,14,tajchert,Michal Tajchert,User,Warsaw,1236
BGAAdapter-Android,bingoogolapple/BGAAdapter-Android,Java,在AdapterView和RecyclerView中通用的Adapter和ViewHolder,231,66,bingoogolapple,王浩,User,"Chengdu, China",2379
AZExplosion,Xieyupeng520/AZExplosion,Java,学习ExplosionField之粒子破碎效果,231,35,Xieyupeng520,AZZ,User,ShenZhen,369
tracklytics,orhanobut/tracklytics,Java,Annotation based analytics aggregator with AOP,230,16,orhanobut,Orhan Obut,User,Berlin,3858
ProperRatingBar,techery/ProperRatingBar,Java,"Inspired by stock android RatingBar. Simpler, has features that original lacks.",230,31,techery,Techery,Organization,,459
Fenzo,Netflix/Fenzo,Java,Extensible Scheduler for Mesos Frameworks,230,23,Netflix,"Netflix, Inc.",Organization,"Los Gatos, California",8686
progresshint,techery/progresshint,Java,ProgressBar/SeekBar delegate to show floating progress with style,229,35,techery,Techery,Organization,,459
javamelody,javamelody/javamelody,Java,JavaMelody : monitoring of JavaEE applications,228,79,javamelody,,Organization,,228
binding-collection-adapter,evant/binding-collection-adapter,Java,Easy way to bind collections to listviews and recyclerviews with the new Android Data Binding framework,228,30,evant,Evan Tatarka,User,Virginia,228
SwipeableCard,michelelacorte/SwipeableCard,Java,A simple implementation of swipe card like StreetView,228,33,michelelacorte,Michele Lacorte,User,"Bologna, Italy",533
Folder-ResideMenu,dkmeteor/Folder-ResideMenu,Java,An extension of ResideMenu,227,52,dkmeteor,Dean Ding,User,China ShangHai,227
amazon-echo-ha-bridge,armzilla/amazon-echo-ha-bridge,Java,emulates philips hue api to other home automation gateways,227,67,armzilla,Arm Suwarnaratana,User,"Austin, TX",227
meiShi,sungerk/meiShi,Java,init,226,53,sungerk,sungerk,User,"Miyazaki, Japan",410
meter,googlecreativelab/meter,Java,"Meter is a data-driven wallpaper that displays your battery, wireless signal and notifications",226,48,googlecreativelab,Google Creative Lab,Organization,,340
cyclops,aol/cyclops,Java,"Modular extensions for JDK 8, interop with Javaslang, FunctionalJava and GoogleGuava",226,16,aol,AOL,Organization,"Dulles, VA",839
KSimpleLibrary,kot32go/KSimpleLibrary,Java,一个简化通用APP开发过程的综合库(包含简化的Tab Bar 和Drawer 等,适用于独立开发者或者中小型应用),225,45,kot32go,kot32,User,,496
FORMWatchFace,romannurik/FORMWatchFace,Java,A watch face for Android Wear based on the FORM event typeface.,225,38,romannurik,Roman Nurik,User,"New York, NY",1668
TimerView,pheynix/TimerView,Java,an android open source timer,224,34,pheynix,pheynix,User,"Shenzhen,Guangdong,China",224
materialtest,slidenerd/materialtest,Java,,224,197,slidenerd,slidenerd,User,Mumbai,224
android-XYZTouristAttractions,googlesamples/android-XYZTouristAttractions,Java,,223,64,googlesamples,Google Samples,Organization,,13082
zulip-android,zulip/zulip-android,Java,Zulip Android app,223,86,zulip,Zulip,Organization,,4404
twitter-kit-android,twitter/twitter-kit-android,Java,Twitter Kit for Android,223,34,twitter,"Twitter, Inc.",Organization,"San Francisco, CA",7027
spring-cloud-microservice-example,kbastani/spring-cloud-microservice-example,Java,An example project that demonstrates an end-to-end cloud native application using Spring Cloud for building a practical microservices architecture.,223,116,kbastani,Kenny Bastani,User,"San Mateo, CA",223
RustDT,RustDT/RustDT,Java,RustDT is an Eclipse based IDE for the Rust programming language -,221,22,RustDT,,Organization,,221
DexExtractor,bunnyblue/DexExtractor,Java,android dex extractor ,anti-shell,android 脱壳,221,140,bunnyblue,Bunny Blue,User,"San Francisco,CA",914
android-ILoveBaidu,liaohuqiu/android-ILoveBaidu,Java,I Love Baidu.,220,35,liaohuqiu,Huqiu Liao,User,"San Francisco, United states",2307
SpinnerLoading,lusfold/SpinnerLoading,Java,A Loading View for Android,220,38,lusfold,Zhanhui Bai,User,China,220
aws-apigateway-importer,awslabs/aws-apigateway-importer,Java,"Tools to work with Amazon API Gateway, Swagger, and RAML",220,59,awslabs,Amazon Web Services - Labs,Organization,"Seattle, WA",2991
CodenameOne,codenameone/CodenameOne,Java,Write once run anywhere native mobile apps using a subset of Java 8,220,50,codenameone,,User,,220
eventbus-intellij-plugin,kgmyshin/eventbus-intellij-plugin,Java,,219,12,kgmyshin,Shinnosuke Kugimiya,User,Tokyo,219
dbeaver,serge-rider/dbeaver,Java,Free universal database manager and SQL client,219,31,serge-rider,Serge Rider,User,SPb,219
android-json-form-wizard,vijayrawatsan/android-json-form-wizard,Java,Android Material Json Form Wizard is a library for creating beautiful form based wizards within your app just by defining json in a particular format.,219,42,vijayrawatsan,Vijay Rawat,User,New Delhi,219
KJGallery,kymjs/KJGallery,Java,一个支持Gif图片以及普通图片预览,支持双击缩放,单机退出,同时可以选择使用jni的形式去高效加载gif或者更更精简的(仅2个类)gif控件,219,40,kymjs,张涛,User,"ShenZhen, China",791
ftc_app,ftctechnh/ftc_app,Java,FTC Android Studio project to create FTC Robot Controller app.,219,617,ftctechnh,FTC Engineering,User,"Manchester, NH",219
PinView,DavidPizarro/PinView,Java,A Pin view widget for Android,217,33,DavidPizarro,David Pizarro,User,"Alcobendas, Madrid",1157
CustomTabsHelper,DreaminginCodeZH/CustomTabsHelper,Java,"Custom tabs, made easy.",216,21,DreaminginCodeZH,Zhang Hai,User,"Hangzhou, Zhejiang",1606
BadgeView,elevenetc/BadgeView,Java,Badge view with animated effect which shows a bitmap or a text,215,45,elevenetc,Eugene Levenetc,User,"Russia, Saint-Petersburg",2330
login-basics,andrebts/login-basics,Java,"The Login Basics is an implementation of Android Login with Facebook, Google Plus (G+) and your own app login.",215,55,andrebts,Andre BTS,User,,215
UberSplash,KobeGong/UberSplash,Java,Uber welcome page.Uber的欢迎界面Android版,215,48,KobeGong,Kobe Gong,User,"Haidian,Beijing",215
ColorTrackView,hongyangAndroid/ColorTrackView,Java,字体或者图片可以逐渐染色和逐渐褪色的动画效果,215,67,hongyangAndroid,张鸿洋,User,"Xian,China",8055
android-linear-layout-manager,serso/android-linear-layout-manager,Java,Linear Layout Manager which supports WRAP_CONTENT,215,41,serso,Sergey Solovyev,User,"Linköping, Sweden",215
secure-preferences,ophio/secure-preferences,Java,Android secure shared preferences using Android Keystore system,214,20,ophio,Ophio,Organization,India,214
mr-mantou-android,oxoooo/mr-mantou-android,Java,On the importance of taste,214,44,oxoooo,OXO,Organization,"Guangzhou, China",841
openalpr-android,SandroMachado/openalpr-android,Java,Android Automatic License Plate Recognition library (http://www.openalpr.com) ported for android.,213,31,SandroMachado,Sandro Machado,User,"Braga, Portugal",213
RegexGenerator,MaLeLabTs/RegexGenerator,Java,"This project contains the source code of a tool for generating regular expressions for text extraction: 1. automatically, 2. based only on examples of the desired behavior, 3. without any external hint about how the target regex should look like",212,21,MaLeLabTs,,User,,212
android-morphing-button,dmytrodanylyk/android-morphing-button,Java,Android Morphing Button,212,49,dmytrodanylyk,Dmytro Danylyk,User,"Ukraine, Lviv",1761
TextViewForFullHtml,xuyisheng/TextViewForFullHtml,Java,init commit,211,33,xuyisheng,xuyisheng,User,"pudong,shanghai",1228
CollapsingHeader,lynfogeek/CollapsingHeader,Java,"It's like an Android ToolBar reacting to a scroll listener, but not quite.",210,24,lynfogeek,Arnaud Camus,User,Amsterdam,210
IconEditText,KyleBanks/IconEditText,Java,Reusable view for displaying an ImageView with an EditText for Android 4.0 +,210,34,KyleBanks,Kyle Banks,User,"Toronto, Ontario",210
XLog,promeG/XLog,Java,Method call logging based on dexposed.,210,35,promeG,promeG,User,,479
DaVinci,florent37/DaVinci,Java,DaVinci is an image downloading and caching library for Android Wear,209,19,florent37,Florent CHAMPIGNY,User,France,8281
fuzzdb,fuzzdb-project/fuzzdb,Java,Official FuzzDB project repository,209,44,fuzzdb-project,FuzzDB Project ,Organization,,209
preferencebinder,denley/preferencebinder,Java,A SharedPreference 'injection' library for Android,209,19,denley,Denley Bihari,User,"Redwood City, California",209
MLManager,javiersantos/MLManager,Java,"Modern, easy and customizable app manager for Android with Material Design",209,46,javiersantos,Javier Santos,User,"Seville, Spain",209
XhsParallaxWelcome,w446108264/XhsParallaxWelcome,Java,小红书欢迎引导界面第一版(视差动画版),207,107,w446108264,zhongdaxia,User,Shanghai China,804
Android-NiceTab,RobotAmiee/Android-NiceTab,Java,"A nice tab to navigate between the different pages of a ViewPager, supports badge, blur, and cross fade effect.",207,53,RobotAmiee,Amiee Robot,User,"Shenzhen, Guangdong, China.",207
realm-browser,dmytrodanylyk/realm-browser,Java,Android Realm Database Browser,206,22,dmytrodanylyk,Dmytro Danylyk,User,"Ukraine, Lviv",1761
FlycoRoundView,H07000223/FlycoRoundView,Java,A library helps Android built-in views easy and convenient to set round rectangle background and accordingly related shape resources can be reduced.,206,29,H07000223,Flyco,User,"Shanghai, China",2718
citrus,eure/citrus,Java,"Some super animations, and custom views for the good design",206,31,eure,エウレカ,Organization,"Tokyo, Japan",206
MagicCircle,DevinShine/MagicCircle,Java,A magic circle (`・ω・´) ノ,206,30,DevinShine,DevinShine,User,"Hangzhou, China",455
hashtag-view,greenfrvr/hashtag-view,Java,Android fully customizable widget for representing data like hashtags collection and similiar.,205,25,greenfrvr,Artsiom Grintsevich,User,Belarus,205
XhsEmoticonsKeyboard,w446108264/XhsEmoticonsKeyboard,Java,android emoticonsKeyboard support emoji and user-defined emoticon. easy to integrated into your project ,205,100,w446108264,zhongdaxia,User,Shanghai China,804
android-image-slide-panel,xmuSistone/android-image-slide-panel,Java,"image as a card, which can be slided to the left or the right and fade away",205,20,xmuSistone,sistone,User,"Hangzhou, Zhejiang, China",1947
Android-Ganhuo,ganhuo/Android-Ganhuo,Java,干货集中营 Android App.,204,82,ganhuo,,Organization,,204
ToolWizAppLock,Toolwiz/ToolWizAppLock,Java,Smart App Lock for Android,203,72,Toolwiz,,User,,203
GithubClient,frogermcs/GithubClient,Java,Example of Github API client implemented on top of Dagger 2 DI framework. ,203,35,frogermcs,Mirosław Stanek,User,Cracow,1087
FastGCM,iammert/FastGCM,Java,Fast Google Cloud Messaging(GCM) integration for Android. Receive push notification easily.,200,33,iammert,Mert Şimşek,User,Eskisehir/Turkey,2202
AndroidVideoCache,danikula/AndroidVideoCache,Java,Cache support for any video player with help of single line,200,64,danikula,Alexey Danilov,User,,200
cordova-plugin-whitelist,apache/cordova-plugin-whitelist,Java,Mirror of Apache Cordova plugin whitelist,199,76,apache,The Apache Software Foundation,Organization,,3728
FloatViewFinal,pengjianbo/FloatViewFinal,Java,泡椒网游戏SDK Float View(悬浮窗),199,24,pengjianbo,Jianbo Peng,User,"Shenzhen, China",360
material-check-mark-animation,alexjlockwood/material-check-mark-animation,Java,,199,24,alexjlockwood,Alex Lockwood,User,"Manhattan, NY",486
BookdashAndroidApp,spongebobrf/BookdashAndroidApp,Java,Book Dash is an Android App for the NPO where you can download books in different languages for free.,198,30,spongebobrf,Rebecca Franks,User,"Johannesburg, South Africa",684
Android-Blog-Source,yanbober/Android-Blog-Source,Java,Blog Demo Storage,198,242,yanbober,yanbo,User,ZhuHai,198
StickerView,sangmingming/StickerView,Java,a sticker view for android application,198,49,sangmingming,Sang Mingming,User,Shanghai China,198
Mappedbus,caplogic/Mappedbus,Java,A library for low latency IPC between multiple Java processes/JVMs. http://mappedbus.io,197,28,caplogic,,User,,197
ACEMusicPlayer,C-Aniruddh/ACEMusicPlayer,Java,"A material music player for the android platform, git it here : https://play.google.com/store/apps/details?id=com.aniruddhc.acemusic.player&hl=en",197,100,C-Aniruddh,Aniruddh Chandratre,User,"Mumbai, India",197
Heimdall.droid,rheinfabrik/Heimdall.droid,Java,Easy to use OAuth 2 library for Android by Rheinfabrik.,197,13,rheinfabrik,Rheinfabrik,Organization,"Düsseldorf, Germany",307
FamiliarRecyclerView,iwgang/FamiliarRecyclerView,Java,一个如你熟悉ListView、GridView一样熟悉的RecyclerView,196,33,iwgang,iWgang,User,"ChengDu, China",558
asciimg,korhner/asciimg,Java,An ascii image generator written in Java.,195,78,korhner,Ivan Korhner,User,,195
finalspeed,d1sm/finalspeed,Java,"高速双边加速软件,在高丢包,延迟环境下仍可达到90%物理带宽利用率.",195,60,d1sm,wntr,User,china,195
MaterialDesignNavDrawer,Sottti/MaterialDesignNavDrawer,Java,Sample app showcasing the Navigation Drawer according Material Design guidelines. Check out the article to further explanation.,195,55,Sottti,Pablo Costa,User,London,339
CurtainSlidingMenu,7heaven/CurtainSlidingMenu,Java,SlidingMenu With Curtain Effect - incomplete,195,44,7heaven,7heaven,User,"Beijing, China",1045
ScreenshotsNanny,thyrlian/ScreenshotsNanny,Java,Android library helps take screenshots for publishing on Google Play Store.,194,21,thyrlian,Jing Li,User,"Berlin, Germany",194
Dynamo,doridori/Dynamo,Java,A lightweight state-based controller for Android,194,7,doridori,Dorian Cussen,User,"Wales, UK",194
SelectorInjection,tianzhijiexian/SelectorInjection,Java,一个强大的selector注入器,它可以让view自动产生selector状态,免去了你写selector的麻烦。,193,18,tianzhijiexian,Kale,User,China,2645
android-RavenServer,liaohuqiu/android-RavenServer,Java,Start an activity in WeChat!,193,30,liaohuqiu,Huqiu Liao,User,"San Francisco, United states",2307
Android-Material-Design-for-pre-Lollipop,Suleiman19/Android-Material-Design-for-pre-Lollipop,Java,"Various UI implementations, animations & effects based on Material Design compatible with pre Lollipop devices as well. (Work in progess)",193,130,Suleiman19,Suleiman Ali Shakir,User,India,193
Android-Developer-Toolbelt,T-Spoon/Android-Developer-Toolbelt,Java,On-device low-memory testing for Android,192,11,T-Spoon,Oisin O'Neill,User,"Munich, Germany",192
ProgressRoundButton,cctanfujun/ProgressRoundButton,Java,A DownloadProgressButton with Animation for Android,191,50,cctanfujun,谈釜君,User,China,191
KJBlog,KJFrame/KJBlog,Java,爱看博客客户端,190,88,KJFrame,KJFrame,Organization,,190
app-theme-engine,afollestad/app-theme-engine,Java,An easy to use app-level theme engine for Android developers.,190,24,afollestad,Aidan Follestad,User,"Minneapolis, Minnesota",2553
expper,Raysmond/expper,Java,Expper website source code,189,45,Raysmond,Jiankun LEI,User,"Shanghai, China",320
snake,txusballesteros/snake,Java,Snake View is a simple and animated linear chart for Android.,189,14,txusballesteros,Txus Ballesteros,User,"Barcelona, Spain",1792
Material-Animation-Samples,tarek360/Material-Animation-Samples,Java,Samples in Material Animation ,188,35,tarek360,Ahmed Tarek,User,Egypt,188
minimesos,ContainerSolutions/minimesos,Java,Testing infrastructure for Mesos frameworks,187,21,ContainerSolutions,,Organization,,187
psi-probe,psi-probe/psi-probe,Java,"Advanced manager and monitor for Apache Tomcat, forked from Lambda Probe",187,88,psi-probe,,Organization,,187
InfiniteViewPager,waylife/InfiniteViewPager,Java,InfiniteViewPager is a modified android ViewPager widget that allows infinite paging and auto-scrolling.,187,24,waylife,RxRead,User,"Shenzhen,China",531
ListItemFold,dodola/ListItemFold,Java,ListView and RecyclerView item fold and expand,187,50,dodola,dodola,User,Beijing,1841
PatternLock,DreaminginCodeZH/PatternLock,Java,Android pattern lock library,186,58,DreaminginCodeZH,Zhang Hai,User,"Hangzhou, Zhejiang",1606
RxFile,pavlospt/RxFile,Java,"Rx methods to get a File and Image or Video thumbnails from a Document Provider on Android (Drive, Dropbox etc)",186,10,pavlospt,Pavlos-Petros Tournaris,User,"Athens, Greece",186
fab-toolbar,bowyer-app/fab-toolbar,Java,Provides the Floating Action Button Toolbar as specified in the Material Design Guide in a simple library.,186,21,bowyer-app,bowyer-app,User,"Tokyo, Japan",496
easyfonts,vsvankhede/easyfonts,Java,Useful library to use custom fonts in your android app,186,31,vsvankhede,Vijay Vankhede,User,"Ahmedabad, Gujarat, India",186
kandroid,keeganlee/kandroid,Java,KAndroid是一个Android的简单的架构搭建的学习项目。架构上分为了四个层级:模型层、接口层、核心层和应用层。,186,84,keeganlee,Keegan小钢,User,,186
StreamCQL,HuaweiBigData/StreamCQL,Java,,186,87,HuaweiBigData,Huawei BigData ,Organization,,186
smart-adapters,mrmans0n/smart-adapters,Java,Generic and interchangeable Adapters for ListView / RecyclerView done easy,186,19,mrmans0n,Nacho Lopez,User,Spain,186
Faker,thiagokimo/Faker,Java,Provides fake data to your Android MVPs,186,19,thiagokimo,Thiago Rocha (Kimo),User,"Stockholm, Sweden",306
MarkView,xiprox/MarkView,Java,An android custom view that displays a circle with a colored arc given a mark,185,23,xiprox,İhsan Işık,User,"Izmir, Turkey",185
circuitjs1,sharpie7/circuitjs1,Java,Electronic Circuit Simulator in the Browser,185,23,sharpie7,Iain Sharp,User,"Nottingham, England",185
ElasticProgressBar,michelelacorte/ElasticProgressBar,Java,Elastic Progress Bar Renew!,185,19,michelelacorte,Michele Lacorte,User,"Bologna, Italy",533
ChromeOverflowMenu,rahulrj/ChromeOverflowMenu,Java,Overflow Menu animation similar to Chrome For Android,184,22,rahulrj,RAHUL RAJA,User,India,814
Creatures,thopit/Creatures,Java,Evolution simulator,184,11,thopit,Thomas Opitz,User,,184
realm-recyclerview,thorbenprimke/realm-recyclerview,Java,,184,29,thorbenprimke,Thorben Primke,User,"San Francisco, CA",295
CoordinatorLayoutDemos,sungerk/CoordinatorLayoutDemos,Java,,184,21,sungerk,sungerk,User,"Miyazaki, Japan",410
json2notification,8tory/json2notification,Java,json2notification,183,34,8tory,8tory,Organization,"Delaware, OH",183
Awesome-Material,android-awesome/Awesome-Material,Java,"Combination of Font Awesome, Material Design, and Bootstrap!",182,14,android-awesome,Android Awesome,Organization,,182
swagger2markup,Swagger2Markup/swagger2markup,Java,A Swagger to AsciiDoc or Markdown converter to simplify the generation of an up-to-date RESTful API documentation by combining documentation that’s been hand-written with auto-generated API documentation.,182,26,Swagger2Markup,Swagger2markup,Organization,,182
init,markzhai/init,Java,"Init helps app schedule complex task-group like initialization with type, priority and multi-process.",182,20,markzhai,markzhai,User,Shanghai China,362
android-design-library,googlecodelabs/android-design-library,Java,Material Design App with Android Design Support Library,182,46,googlecodelabs,Google Codelabs,Organization,,297
Atelier,Musenkishi/Atelier,Java,A fast and clean way of using Palette in lists,181,21,Musenkishi,Freddie Lust-Hed,User,Uppsala,181
lanterna,mabe02/lanterna,Java,Java library for creating text-based GUIs,181,25,mabe02,,User,,181
caja,google/caja,Java,"Caja is a tool for safely embedding third party HTML, CSS and JavaScript in your website.",181,28,google,Google,Organization,,70104
AnimatorMenu,xuechinahb/AnimatorMenu,Java,,181,31,xuechinahb,clover,User,China Shenzhen,181
LyricHere,markzhai/LyricHere,Java,"Local lyric-play support music player, includes a powerful LyricView",180,21,markzhai,markzhai,User,Shanghai China,362
wro4j,wro4j/wro4j,Java,"Free and Open Source Java project which brings together almost all the modern web tools: JsHint, CssLint, JsMin, Google Closure compressor, YUI Compressor, UglifyJs, Dojo Shrinksafe, Css Variables Support, JSON Compression, Less, Sass, CoffeeScript and much more. In the same time, the aim is to keep it as simple as possible and as extensible as possible in order to be easily adapted to application specific needs.",179,33,wro4j,Wro4j,Organization,,179
ActivityAnimation,brucetoo/ActivityAnimation,Java,ActivityAnimation helper and Picture preview helper like transition on Lollipop..,179,35,brucetoo,Bruce too,User,"Guangzhou,China",1036
live-chat-engine,edolganov/live-chat-engine,Java,The engine for live chats with customers,179,33,edolganov,,User,,179
firetweet,getlantern/firetweet,Java,FireTweet for Android powered by Lantern,179,46,getlantern,Lantern,Organization,,179
ColorfulStatusBar,hongyangAndroid/ColorfulStatusBar,Java,Android app状态栏变色。,179,65,hongyangAndroid,张鸿洋,User,"Xian,China",8055
android-ActionQueue,liaohuqiu/android-ActionQueue,Java,ActionQueue allows you run action one by one.,178,17,liaohuqiu,Huqiu Liao,User,"San Francisco, United states",2307
MousePaint,android-cjj/MousePaint,Java,鼠绘漫画(非官方),我做着玩的,178,46,android-cjj,陈继军,User,"guangzhou,China",2093
MaterialDialogSearchView,TakeoffAndroid/MaterialDialogSearchView,Java,MaterialDialogSearchView is a custom implementation and replacement for a ToolBar SearchView in a material design. ,178,37,TakeoffAndroid,,User,,810
WechatLikeBottomTabUI,wuyexiong/WechatLikeBottomTabUI,Java,抄袭微信Android6.0版本底部菜单渐变效果,177,28,wuyexiong,Wuyexiong,User,"Beijing, China",177
AlignTextView,androiddevelop/AlignTextView,Java,字体对齐的textview,177,30,androiddevelop,李跃东,User,tmall,177
sliding-pane-layout,chiuki/sliding-pane-layout,Java,"SlidingPaneLayout that is partially visible, with cross fade.",177,25,chiuki,Chiu-Ki Chan,User,"Boulder, CO",787
hello-mvp-dagger-2,grandstaish/hello-mvp-dagger-2,Java,"Android MVP example code using RxJava, Retrolambda, Dagger 2, and more ",177,14,grandstaish,Bradley Campbell,User,New Zealand,177
FabTransitionActivity,coyarzun89/FabTransitionActivity,Java,,176,27,coyarzun89,Cristopher Oyarzún,User,"Santiago, Chile",176
ListViewHelper,LuckyJayce/ListViewHelper,Java,MVCHelper 替代该类库不再局限于ListView,不再局限于某个下拉刷新的类库,https://github.com/LuckyJayce/MVCHelper,175,45,LuckyJayce,,User,XiaMen.China ,1258
TheMVP,kymjs/TheMVP,Java,An Android MVP Architecture Diagram Framwork. ,175,48,kymjs,张涛,User,"ShenZhen, China",791
android-transformer,txusballesteros/android-transformer,Java,An Android library to manage your data transformations between your POJO objects.,174,9,txusballesteros,Txus Ballesteros,User,"Barcelona, Spain",1792
velodrome,Levelmoney/velodrome,Java,onActivityResult handlers for Android,174,16,Levelmoney,Level Money,Organization,"San Francisco, CA",174
ParallaxViewPager,ybq/ParallaxViewPager,Java,Android ParallaxViewPager,174,19,ybq,ybq,User,"Beijing,China",174
ESSocialSDK,ElbbbirdStudio/ESSocialSDK,Java,社交登录授权、分享SDK,支持微信、微博和QQ。,174,31,ElbbbirdStudio,,Organization,,174
androidWheelView,weidongjian/androidWheelView,Java,仿照iOS的滚轮控件,从请吃饭apk反编译出来的,174,55,weidongjian,,User,"Xiamen, China",174
photo-affix,afollestad/photo-affix,Java,Stitch your photos together vertically or horizontally without even trying!,174,26,afollestad,Aidan Follestad,User,"Minneapolis, Minnesota",2553
SearchBubble,tunjos/SearchBubble,Java,A bubble to do your search.,173,18,tunjos,Tunji Olu-Taiwo,User,,173
rx-mvvm-android,ffgiraldez/rx-mvvm-android,Java,My way to MVVM using RxJava with new Android databinding,173,16,ffgiraldez,Fernando Franco Gíraldez,User,"Sevilla, Spain",173
FireStarter,sphinx02/FireStarter,Java,FireStarter | FireTV Launcher / Non-Root Launcher Replacement / App-Drawer for Amazon FireTV with real home button click detection (even double click detection). Works without rooting your FireTV.,173,26,sphinx02,Lukas Berger,User,Germany,173
StoreBox,martino2k6/StoreBox,Java,Android library for streamlining SharedPreferences,173,16,martino2k6,Martin Bella,User,Edinburgh,173
dex-method-list,JakeWharton/dex-method-list,Java,A simple utility which lists all method references in a dex file.,173,7,JakeWharton,Jake Wharton,User,"Pittsburgh, PA",3450
AsyncManager,boxme/AsyncManager,Java,Android Multithreading Library For Easy Asynchronous Management,173,22,boxme,Desmond ,User,Singapore,309
BGASwipeItemLayout-Android,bingoogolapple/BGASwipeItemLayout-Android,Java,类似iOS带弹簧效果的左右滑动控件,可作为AbsListView和RecyclerView的item(作为AbsListView的item时的点击事件参考代码家的 https://github.com/daimajia/AndroidSwipeLayout ),173,50,bingoogolapple,王浩,User,"Chengdu, China",2379
FishBun,sangcomz/FishBun,Java,,172,32,sangcomz,seokwon,User,Korea,172
OkHttpPlus,ZhaoKaiQiang/OkHttpPlus,Java,OkHttp封装,支持GET、POST、UI线程回调、JSON格式解析、链式调用、小文件上传下载及进度监听等功能,172,32,ZhaoKaiQiang,ZhaoKaiQiang,User,ShanDong QingDao,1899
solid,konmik/solid,Java,Lightweight data streams and immutable collections for Android,172,8,konmik,Konstantin Mikheev,User,Russia,519
Gadgetbridge,Freeyourgadget/Gadgetbridge,Java,A free and cloudless replacement for your gadget vendors' closed source Android applications. Pebble and Mi Band supported.,172,31,Freeyourgadget,,Organization,,172
LoadingImageView,chiemy/LoadingImageView,Java,加载动画ImageView,171,24,chiemy,chiemy,User,"Beijing, Beijing, China",171
ScanBook,JayFang1993/ScanBook,Java,scan book's ISBN to get the information of this book,171,60,JayFang1993,方杰,User,Beijing,677
Takt,wasabeef/Takt,Java,Takt is Android library for measuring the FPS using Choreographer.,171,18,wasabeef,Daichi Furiya,User,"Tokyo, Japan",4727
PullLoadMoreRecyclerView,WuXiaolong/PullLoadMoreRecyclerView,Java,实现RecyclerView下拉刷新和上拉加载更多以及瀑布流效果,171,86,WuXiaolong,小尛龙,User,,171
android-utils,jaydeepw/android-utils,Java,Library for utility classes that can make me and others more productive.,171,30,jaydeepw,Jaydeep,User,"Pune, IN",171
DoubleScrollVIew,ysnows/DoubleScrollVIew,Java,android仿京东、淘宝商品详情页上拉查看详情,171,41,ysnows,Ysnow,User,中国山东临沂,171
MetaballMenu,melvinjlobo/MetaballMenu,Java,A menu consisting of icons (ImageViews) and metaball bouncing selection to give a blob effect. Inspired by Material design,170,26,melvinjlobo,,User,,170
ExtendedTouchView,lnikkila/ExtendedTouchView,Java,Android library for manipulating view touch targets using XML only.,170,22,lnikkila,Leo Nikkilä,User,"Espoo, Finland",170
MaterialTabs,pizza/MaterialTabs,Java,Easy-to-integrate tab bar with ripple effect for Android that completely respects Material Design for API 9+,169,26,pizza,Karim Frenn,User,,169
android_frameworks_base,hushnymous/android_frameworks_base,Java,,168,52,hushnymous,,User,,168
FreeView,jcmore2/FreeView,Java,FreeView create a floating view that you can use and move inside your app and also when your app is in background.,168,19,jcmore2,Juan Carlos Moreno,User,Madrid,397
ud862-samples,udacity/ud862-samples,Java,,168,106,udacity,Udacity,Organization,"Mountain View, CA",1670
ExpandableView,nicolasjafelle/ExpandableView,Java,"ExpandableView is a View showing only a content and when clicked on it, it displays more content in a fashion way",167,29,nicolasjafelle,Nicolas Jafelle,User,"Buenos Aires, Argentina",167
recycler-fast-scroll,plusCubed/recycler-fast-scroll,Java,Widget for RecyclerView fast scrolling,166,27,plusCubed,Daniel Ciao,User,,166
react-native-linear-gradient,brentvatne/react-native-linear-gradient,Java,A <LinearGradient /> component for react-native,166,46,brentvatne,Brent Vatne,User,"Vancouver, Canada",2353
blynk-server,blynkkk/blynk-server,Java,"Platform with iOs and Android apps to control Arduino, Raspberry Pi and similar microcontroller boards over the Internet.",166,55,blynkkk,Blynk,User,"New York, US – Kiev, Ukraine",374
SearchAnimation,NiaNingXue/SearchAnimation,Java,,166,44,NiaNingXue,清空一鹤,User,北京,166
HorizontalStackView,binaryroot/HorizontalStackView,Java,,166,30,binaryroot,Nazar Ivanchuk,User,,166
beautyeye,JackJiang2011/beautyeye,Java,BeautyEye is a Java Swing cross-platform look and feel.,166,75,JackJiang2011,Jack Jiang,User,"Soochow, China",166
ScrollGalleryView,VEINHORN/ScrollGalleryView,Java,:camera: Awesome image gallery for Android,166,29,VEINHORN,Boris Korogvich,User,"Belarus, Minsk",166
JianDanRxJava,ZhaoKaiQiang/JianDanRxJava,Java,使用Rxjava重构煎蛋高仿,166,19,ZhaoKaiQiang,ZhaoKaiQiang,User,ShanDong QingDao,1899
xBus,mcxiaoke/xBus,Java,Simple EventBus Implementation for Android,165,24,mcxiaoke,Xiaoke Zhang,User,"Beijing, China",1085
GEM,Substance-Project/GEM,Java,"A music player for Android, in stunning Material Design.",165,31,Substance-Project,Substance Open Source,Organization,,165
PlayPauseButton,recruit-lifestyle/PlayPauseButton,Java,,165,31,recruit-lifestyle,Recruit Lifestyle Co. Ltd.,Organization,"Tokyo, Japan",2255
android-play-places,googlesamples/android-play-places,Java,,165,232,googlesamples,Google Samples,Organization,,13082
cassandra-lucene-index,Stratio/cassandra-lucene-index,Java,Lucene based secondary indexes for Cassandra,165,30,Stratio,STRATIO BIG DATA Inc. SUCURSAL EN ESPAÑA,Organization,"Via de las Dos Castillas, 33 - ATICA 4. planta 3ª - 28224 POZUELO DE ALARCON (Madrid).",478
FlycoBanner_Master,H07000223/FlycoBanner_Master,Java,A powerful android view looper library animing to simplify this high frequency function in daily development. Support for Android 2.2 and up.,165,75,H07000223,Flyco,User,"Shanghai, China",2718
NHentai-android,fython/NHentai-android,Java,NHentai Android Client with Material Design,165,39,fython,烧饼,User,"Dongguan, China",165
XDroidAnimation,robinxdroid/XDroidAnimation,Java,简单创建属性动画,164,37,robinxdroid,Robin,User,,164
AndroidGlitterView,LyndonChin/AndroidGlitterView,Java,A view to show bling bling stars when you touch it.,164,27,LyndonChin,liangfei,User,"Hangzhou, Zhejiang, China",2548
android-ClipboardManagerCompat,liaohuqiu/android-ClipboardManagerCompat,Java,ClipboardManager to API level 1.,164,11,liaohuqiu,Huqiu Liao,User,"San Francisco, United states",2307
ImmersiveEngineering,BluSunrize/ImmersiveEngineering,Java,"Wires, transformers, high voltage! Bzzzzt!",164,104,BluSunrize,,User,,164
AndroidPullMenu,ShkurtiA/AndroidPullMenu,Java,"An Android Library that allows users to pull down a menu and select different actions. It can be implemented inside ScrollView, GridView, ListView.",164,31,ShkurtiA,AShkurti,User,Illyria,164
Android-AdvancedWebView,delight-im/Android-AdvancedWebView,Java,Advanced WebView component for Android that works as intended out of the box,164,65,delight-im,delight.im,Organization,,1679
Android-Material-Wizard-Drawer,MarkOSullivan94/Android-Material-Wizard-Drawer,Java,An Android template with a Material wizard and a Material navigation drawer,163,29,MarkOSullivan94,Mark O'Sullivan,User,Northern Ireland,163
Android-DPI-Calculator,JerzyPuchalski/Android-DPI-Calculator,Java,DPI Calculator plugin,163,18,JerzyPuchalski,,User,Poland,163
zstack,zstackorg/zstack,Java,ZStack - the open-source IaaS software http://zstack.org,163,65,zstackorg,zstack.org,User,"San Jose, USA",163
android-lite-bluetoothLE,litesuits/android-lite-bluetoothLE,Java,BLE Framework. Based on Bluetooth 4.0. Based on callback. Extremely simple! Communication with BluetoothLE(BLE) device as easy as HTTP communication. Android低功耗蓝牙便捷操作框架,基于回调,完成蓝牙设备交互就像发送网络请求一样简单。,163,86,litesuits,马天宇,User,中国浙江杭州,163
Piclice,yaa110/Piclice,Java,Android application to slice and share your pictures,162,27,yaa110,Navid,User,Iran I.R.,162
vsminecraft,Microsoft/vsminecraft,Java,Visual Studio extension for developing MinecraftForge mods using Java.,162,12,Microsoft,Microsoft,Organization,"Redmond, WA",23867
feather,zsoltherpai/feather,Java,Lightweight dependency injection for Java and Android (JSR-330),162,15,zsoltherpai,Zsolt Herpai,User,,162
AndroidRandomColor,lzyzsd/AndroidRandomColor,Java,android random color generator library,162,28,lzyzsd,Bruce Lee,User,Shanghai China,1483
Mortar-architect,lukaspili/Mortar-architect,Java,"Navigation stack for Mortar. Alternative to Flow. Focuses on Mortar scopes, simplicity, seamless integration and killing boilerplate code.",161,10,lukaspili,Lukas Piliszczuk,User,Montreal,161
CardMenuView,Janseon/CardMenuView,Java,卡片式的 菜单 视图,161,25,Janseon,janseon,User,,161
GalleryFinal,pengjianbo/GalleryFinal,Java,Android自定义相册,实现了拍照、图片选择(单选/多选)、 裁剪(单/多裁剪)、旋转、ImageLoader无绑定任由开发者选 择、功能可配置、主题样式可配置。GalleryFinal为你定制相册。,161,56,pengjianbo,Jianbo Peng,User,"Shenzhen, China",360
junit-lambda,junit-team/junit-lambda,Java,"Prototype for the next generation of JUnit, codenamed 'JUnit Lambda'.",161,16,junit-team,JUnit,Organization,,161
RxCupboard,erickok/RxCupboard,Java,Store and retrieve streams of POJOs from an Android database using RxJava and Cupboard,160,10,erickok,Eric Kok,User,"Leuven, Belgium",160
PullLoadView,tosslife/PullLoadView,Java,pull to refresh and load more recyclerview,159,42,tosslife,bian.xd,User,China BeiJing,480
coordinated-effort,devunwired/coordinated-effort,Java,Samples of custom CoordinatorLayout behaviors.,159,13,devunwired,Dave Smith,User,"Denver, CO",159
hubble_gallery,derekcsm/hubble_gallery,Java,"[Android App] View, Save, and Read about Hubble's best images.",159,32,derekcsm,Derek,User,Victoria B.C.,159
digits-android,twitter/digits-android,Java,Digits for Android,158,22,twitter,"Twitter, Inc.",Organization,"San Francisco, CA",7027
DimensCodeTools,ng2Kaming/DimensCodeTools,Java,"A library which be used to product barcode,qrcode and scaning.",157,33,ng2Kaming,Kaming,User,Guangzhou,157
rxjava-multiple-sources-sample,dlew/rxjava-multiple-sources-sample,Java,Sample code demonstrating loading multiple data sources via RxJava,157,16,dlew,Daniel Lew,User,Minneapolis,308
ToyView,dodola/ToyView,Java,Drawing animation ,157,18,dodola,dodola,User,Beijing,1841
RxAndroidBootstrap,richardradics/RxAndroidBootstrap,Java,,157,29,richardradics,Richard Radics,User,Budapest,471
MaterialCalendarView,jonisaa/MaterialCalendarView,Java,Material Calendar View library compatible with devices API 8+,157,23,jonisaa,Jonatan E. Salas,User,"Buenos Aires, Argentina",157
circular-slider-android,milosmns/circular-slider-android,Java,Circular Slider UI Control for Android,156,7,milosmns,Milos Marinkovic,User,"Novi Sad, Serbia",156
FlexibleAdapter,davideas/FlexibleAdapter,Java,A pattern for every RecyclerView,156,34,davideas,Davide Steduto,User,Brussels,156
material-painter,novoda/material-painter,Java,Generate a color pallette based on an image,156,24,novoda,Novoda,Organization,Multiple Locations,411
Swipe-Deck,aaronbond/Swipe-Deck,Java,A Tinder style Swipeable deck view for Android,155,12,aaronbond,Aaron Bond,User,"Melbourne, Australia",155
android-prefs,BoD/android-prefs,Java,Android preferences for WINNERS!,155,15,BoD,Benoit Lubek,User,"Paris, France",381
ImageLetterIcon,akashandroid90/ImageLetterIcon,Java,Material letter icon with circle background. Also supports for image for user contact.,155,26,akashandroid90,Akash Jain,User,Noida,155
jd-eclipse,java-decompiler/jd-eclipse,Java,A Java Decompiler Eclipse plugin,154,56,java-decompiler,Java Decompiler,User,,154
RxPalette,hzsweers/RxPalette,Java,RxJava bindings for the Palette library on Android,154,15,hzsweers,Zac Sweers,User,"Palo Alto, CA",675
MVP-Simple-Demo,wongcain/MVP-Simple-Demo,Java,,153,45,wongcain,Cain Wong,User,Bay Area,153
S-Tools,naman14/S-Tools,Java,"Keep track of your CPU and Sensors alongwith useful features like Color Picker,Compass and device information",152,49,naman14,Naman Dwivedi,User,"New Delhi, India",2475
AutoCompleteBubbleText,FrederickRider/AutoCompleteBubbleText,Java,"Android AutoCompleteTextView with attached ListView, and drawable background",152,22,FrederickRider,FrederickRider,User,,152
RushOrm,Stuart-campbell/RushOrm,Java,Object-relational mapping for Android,152,11,Stuart-campbell,Stuart Campbell,User,Edinburgh,152
ParkedTextView,gotokatsuya/ParkedTextView,Java,A editable text with a constant text/placeholder for Android.,152,21,gotokatsuya,goka,User,"Tokyo, Japan",643
incubator-systemml,apache/incubator-systemml,Java,Mirror of Apache SystemML (Incubating),152,40,apache,The Apache Software Foundation,Organization,,3728
statsd-jvm-profiler,etsy/statsd-jvm-profiler,Java,Simple JVM Profiler Using StatsD,151,28,etsy,"Etsy, Inc.",Organization,"Brooklyn, NY",3466
GankApp,xiongwei-git/GankApp,Java,An android client for http://gank.io/,151,31,xiongwei-git,Ted,User,Shanghai ,601
microservices,arun-gupta/microservices,Java,Java EE and Microservices,151,70,arun-gupta,Arun Gupta,User,"San Jose, CA",151
android-subscription-leaks,dlew/android-subscription-leaks,Java,Small sample app demonstrating memory leak solutions when using RxJava,151,3,dlew,Daniel Lew,User,Minneapolis,308
android-art-res,singwhatiwanna/android-art-res,Java,the source code in research art of android development,151,105,singwhatiwanna,singwhatiwanna,User,"Beijing, China",151
RopeProgressBar,cdeange/RopeProgressBar,Java,Android ProgressBar that 'bends' under its own weight. Inspired by http://drbl.in/nwih,150,12,cdeange,Christian De Angelis,User,"San Francisco, CA",150
dotted-progress-bar,igortrncic/dotted-progress-bar,Java,,150,28,igortrncic,Igor Trncic,User,,150
DesignOverlay-Android,Manabu-GT/DesignOverlay-Android,Java,Android app which displays design image with grid lines to facilitate the tedious design implementation process,149,18,Manabu-GT,Manabu Shimobe,User,"Tokyo, Japan",149
FakeSearchView,leonardoxh/FakeSearchView,Java,Search your adapter,149,32,leonardoxh,Leonardo Rossetto,User,"Chapecó, Brazil",149
Android-SpeedyViewSelector,devsoulwolf/Android-SpeedyViewSelector,Java,"This is a change Background Or TextColor Selector support library, with which you can directly specify the Background to be displayed in different states or TextColor Layout xml, such as clicking the button effect, the conventional practice is to create Selector xml file in drawable directory but when the project becomes larger when the file back to the directory Selector cause more and more difficult to maintain and achieve the Library can easily solve these problems, and can also achieve a lot Shape effects can be achieved, if you are using process have any questions or suggestions, please send an email to my email below, thank you!",149,16,devsoulwolf,Soulwolf,User,beijing China ,526
big-data-code,Big-Data-Manning/big-data-code,Java,Source code for Big Data: Principles and best practices of scalable realtime data systems,149,73,Big-Data-Manning,,Organization,,149
Singleton,Raizlabs/Singleton,Java,,149,14,Raizlabs,Raizlabs,Organization,Boston & Bay Area,775
AnDevCon-RxPatterns,colintheshots/AnDevCon-RxPatterns,Java,Patterns used by my AnDevCon talk 'Reactive Android Patterns',149,11,colintheshots,Colin Lee,User,Minneapolis,149
MVPro,qibin0506/MVPro,Java,MVPro-简单的AndroidMVP框架,148,30,qibin0506,亓斌,User,济南,148
AnimatorCompat,zzz40500/AnimatorCompat,Java,AnimatorCompat: 一个快速创建动画帮助库,148,13,zzz40500,轻微,User,Shanghai China,2914
dom-distiller,chromium/dom-distiller,Java,Distills the DOM,148,19,chromium,The Chromium Project,Organization,Mountain View,571
RetroFacebook,yongjhih/RetroFacebook,Java,Retrofit Facebook Android SDK,147,23,yongjhih,Andrew Chen,User,"Taipei, Taiwan",251
hsv-alpha-color-picker-android,martin-stone/hsv-alpha-color-picker-android,Java,A color picker and a color preference for use in Android applications.,147,17,martin-stone,Martin Stone,User,,147
MaterialArcMenu,saurabharora90/MaterialArcMenu,Java,An android custom view which allows you to have a arc style-menu on your pages,147,20,saurabharora90,Saurabh,User,Singapore,147
hermes,allegro/hermes,Java,Fast and reliable message broker built on top of Kafka.,146,20,allegro,allegro.tech,Organization,Poland,255
Charter,hrules6872/Charter,Java,Charter for Android,146,19,hrules6872,Héctor de Isidro,User,Madrid,146
LuckyMoneyTool,XiaoMi/LuckyMoneyTool,Java,,145,56,XiaoMi,Xiaomi Open Source.,Organization,China,1237
Android-LockScreenSample-DisableHomeButtonKey,DUBULEE/Android-LockScreenSample-DisableHomeButtonKey,Java,Android LockScreen Sample Using Service - Disable HomeButton or HomeKey,144,28,DUBULEE,DUBULEE,User,"Seoul, South Korea",144
RealParallaxAndroid,mallethugo/RealParallaxAndroid,Java,RealParallaxAndroid is a View Pager with a Real Parallax Android Effect.,144,17,mallethugo,Hugo Mallet,User,Marseille,144
torrenttunes-client,tchoulihan/torrenttunes-client,Java,A BitTorrent-based music streaming service.,144,10,tchoulihan,Tyhou,User,,144
Eagle,eBay/Eagle,Java,"This codebase is retained for historical interest only, please visit Apache Incubator Repository for latest one",144,54,eBay,,Organization,,1832
XueQiuSuperSpider,decaywood/XueQiuSuperSpider,Java,雪球股票信息超级爬虫,144,45,decaywood,decaywood,User,Chengdu,144
OkHttpVolleyGson,Sottti/OkHttpVolleyGson,Java,"Sample app showcasing Android Networking with OkHttp, Volley and Gson. Check out the article to further explanation.",144,49,Sottti,Pablo Costa,User,London,339
android-play-games-in-motion,googlesamples/android-play-games-in-motion,Java,,143,20,googlesamples,Google Samples,Organization,,13082
CitiesAutoComplete,davidbeloo/CitiesAutoComplete,Java,"Auto complete EditText for cities, using Google Places for Android",143,11,davidbeloo,David,User,"Tel Aviv, Israel ",143
BGAFlowLayout-Android,bingoogolapple/BGAFlowLayout-Android,Java,Android流式布局,可配置是否将每一行的空白区域平均分配给子控件,143,33,bingoogolapple,王浩,User,"Chengdu, China",2379
terrapin,pinterest/terrapin,Java,Serving system for batch generated data sets,143,13,pinterest,Pinterest,Organization,"San Francisco, California",3903
dynamodb-titan-storage-backend,awslabs/dynamodb-titan-storage-backend,Java,The Amazon DynamoDB Storage Backend for Titan,143,17,awslabs,Amazon Web Services - Labs,Organization,"Seattle, WA",2991
KeyboardVisibilityEvent,yshrsmz/KeyboardVisibilityEvent,Java,Android Library to handle soft keyboard visibility change event.,142,16,yshrsmz,Yasuhiro Shimizu,User,"Tokyo, Japan",142
StockInference-Spark,Pivotal-Open-Source-Hub/StockInference-Spark,Java,"Stock inference engine using Spring XD, Apache Geode / GemFire and Spark ML Lib.",142,71,Pivotal-Open-Source-Hub,Pivotal Open Source Hub,Organization,,142
thumbnailator,coobird/thumbnailator,Java,Thumbnailator - a thumbnail generation library for Java,142,35,coobird,Chris Kroells,User,"Tokyo, Japan",142
RxPaper,cesarferreira/RxPaper,Java,Reactive extension for NoSQL data storage on Android,142,10,cesarferreira,César Ferreira,User,Lisbon,2122
AutoHomeRefreshListView,nugongshou110/AutoHomeRefreshListView,Java,仿汽车之家下拉刷新,141,28,nugongshou110,阿拉灯神灯,User,Beijing,141
WPEditText,webpartners/WPEditText,Java,,141,23,webpartners,WebPartners,Organization,Madrid,141
RingButton,yankai-victor/RingButton,Java,,141,25,yankai-victor,,User,"Wuhan, China",650
aima-java,aima-java/aima-java,Java,Java implementation of algorithms from Norvig And Russell's 'Artificial Intelligence - A Modern Approach',141,93,aima-java,,Organization,,141
Presentation,StanKocken/Presentation,Java,An architecture for Android as a replacement of MVC.,140,12,StanKocken,Stan Kocken,User,Paris (France),140
ColorPhrase,THEONE10211024/ColorPhrase,Java,Phrase is an Android string resource color setting library ,140,27,THEONE10211024,xiayong,User,"Beijing,China",695
LoyalNativeSlider,jjhesk/LoyalNativeSlider,Java,The Ultimate Native Slider of Your Choice!,140,30,jjhesk,世外桃源,User,Hong Kong,274
AppPlus,maoruibin/AppPlus,Java,"A open source android application,used to manage app on mobile phone.",140,28,maoruibin,咕咚,User,Beijing,464
TextViewSpanClickable,nimengbo/TextViewSpanClickable,Java,,140,22,nimengbo,Abner,User,"ShangHai, China",735
h2database,h2database/h2database,Java,Automatically exported from code.google.com/p/h2database,139,76,h2database,H2 Database Engine,Organization,,139
GaussPager,kot32go/GaussPager,Java,高斯模糊渐变的滑动效果,139,20,kot32go,kot32,User,,496
FAImageView,skyfe79/FAImageView,Java,FAImageView is a Frame Animation ImageView for Android.,139,19,skyfe79,Sungcheol Kim,User,"Seoul, Korea.",139
EspressoExamples,vgrec/EspressoExamples,Java,A collection of examples demonstrating different techniques for automated testing with Espresso.,139,16,vgrec,Veaceslav Grec,User,,139
retro-dagger-example,fr4nk1/retro-dagger-example,Java,MVP + Dagger2 + Retrofit,139,17,fr4nk1,Fran Pulido,User,Madrid,139
FilterSelectorListView,pchauhan/FilterSelectorListView,Java,FilterSelectorListView,138,22,pchauhan,Parag Chauhan,User,,138
DoubleViewPager,juliome10/DoubleViewPager,Java,Horizontal + Vertical ViewPager,138,29,juliome10,Julio Gómez,User,Galiza,138
ctci_v6,nawns/ctci_v6,Java,Cracking the Coding Interview 6th edition problems,138,57,nawns,Austin,User,"West Lafayette, IN",138
WatchTower,hitherejoe/WatchTower,Java,"A sample application created to test, explore and demonstrate the Proximity Beacon API",138,8,hitherejoe,Joe Birch,User,"Brighton, UK",3313
LabelView,drakeet/LabelView,Java,"Inherits from TextView, can set vertical and horizontal label to TextView // 继承 TextView,能够在 TextView 上下左右固定设置文本的 View",138,16,drakeet,drakeet,User,"Xiamen, China",2863
AZBarrage,Xieyupeng520/AZBarrage,Java,Android弹幕效果,随机颜色,大小,高度,内容,138,23,Xieyupeng520,AZZ,User,ShenZhen,369
AndroidCubeDemo,geminiwen/AndroidCubeDemo,Java,Android Cube Effect Demo (not use view pager transformer),136,23,geminiwen,Gemini Wen,User,"Hangzhou,Zhejiang,CN",136
utils,evil0ps/utils,Java,Java utils,136,68,evil0ps,0ps-Human,User,,136
CountryCodePicker,chathudan/CountryCodePicker,Java,"Android CountryCodePicker will help users to search and select a country and retrieve selected country's country name,code,currency and dial code (Sri Lanka,LK,LKR,+94)",136,23,chathudan,Chathura Wijesinghe,User,"Colombo, Sri Lanka",136
ParallaxHeaderViewPager,boxme/ParallaxHeaderViewPager,Java,Scrollable fragments within a viewpager that allows for parallax image and sticky bar effects ,136,37,boxme,Desmond ,User,Singapore,309
RhymeCity,mattlogan/RhymeCity,Java,Sample Android app for aspiring lyricists,135,12,mattlogan,Matt Logan,User,"Denver, CO",253
FABtransitions,Adirockzz95/FABtransitions,Java,Android Library to create Floating Action Button Animations.,135,35,Adirockzz95,Aditya khandkar,User,india,135
ExpandableHeightListView,PaoloRotolo/ExpandableHeightListView,Java,Expandable Height ListView for Android,135,20,PaoloRotolo,Paolo Rotolo,User,"Bari, Italy",3395
android-dynamical-loading,kaedea/android-dynamical-loading,Java,"Android projects of dynamically loading apk, which means that you can upgrade your Android APP or fix emergent bugs without any re-installation.",135,36,kaedea,Kaede Akatsuki,User,"Shenzhen, Guangzhou",467
MaterialTabsAdavanced,jjhesk/MaterialTabsAdavanced,Java,Done by neokree for the material tabs. This is going to be the better one in here!,134,32,jjhesk,世外桃源,User,Hong Kong,274
AndroidtoAppleVectorLogo,lewismcgeary/AndroidtoAppleVectorLogo,Java,An Android app demoing pathmorphing with AnimatedVectorDrawables,134,20,lewismcgeary,Lewis McGeary,User,"Glasgow, Scotland",134
icefig,wapatesh/icefig,Java,Java elegant supplement,134,5,wapatesh,Works Applications ATE Shanghai,Organization,Shanghai,134
elasticsearch,mesos/elasticsearch,Java,Elasticsearch on Mesos,134,36,mesos,Mesos,Organization,"Berkeley, CA",347
xmind,xmindltd/xmind,Java,Automatically exported from code.google.com/p/xmind3,134,35,xmindltd,XMind Ltd.,Organization,,134
AndroidDesignSupportSample,liuguangqiang/AndroidDesignSupportSample,Java,A sample that use the Android Support Design Library.,133,39,liuguangqiang,Eric,User,China,263
wiki2vec,idio/wiki2vec,Java,Generating Vectors for DBpedia Entities via Word2Vec and Wikipedia Dumps,133,43,idio,idio Ltd.,Organization,"London, United Kingdom",133
FirebaseUI-Android,firebase/FirebaseUI-Android,Java,,133,38,firebase,Firebase,Organization,"San Francisco, CA",133
pure4j,pure4j/pure4j,Java,Compile-Time Purity and Immutability Semantics For The Java Language,133,4,pure4j,Pure4J,Organization,,133
VideoControllerView,brucetoo/VideoControllerView,Java,Custom media controller view https://github.com/brucetoo/VideoControllerView,132,26,brucetoo,Bruce too,User,"Guangzhou,China",1036
MIUIv6-UninstallAnimation,kot32go/MIUIv6-UninstallAnimation,Java,仿MIUI卸载动画控件,132,26,kot32go,kot32,User,,496
google-api-java-client-samples,google/google-api-java-client-samples,Java,,132,180,google,Google,Organization,,70104
TagView,Cutta/TagView,Java,Android TagView-HashTagView,132,20,Cutta,Cüneyt Çarıkçi,User,Ankara,484
NumberCodeView,linkaipeng/NumberCodeView,Java,A number input view which like input password in alipay or wechat pay.,132,23,linkaipeng,linkaipeng,User,GuangZhou,132
AndroidScreenSlidePager,LyndonChin/AndroidScreenSlidePager,Java,Full screen slide pager to display images fetched from Internet by Fresco,131,44,LyndonChin,liangfei,User,"Hangzhou, Zhejiang, China",2548
SpringBlog,Raysmond/SpringBlog,Java,A simple blogging system implemented with Spring Boot/MVC/JPA + Hibernate + MySQL + Redis + Bootstrap + Jade. Source code for my personal website.,131,59,Raysmond,Jiankun LEI,User,"Shanghai, China",320
MaterialPatternllockView,AmniX/MaterialPatternllockView,Java,A View which is lookalike Lollipop Pattern View,131,25,AmniX,Aman tonk,User,India,131
superword,ysc/superword,Java,Superword is a Java open source project dedicated in the study of English words analysis and auxiliary reading.,131,102,ysc,杨尚川,User,,131
wildfly-swarm,wildfly-swarm/wildfly-swarm,Java,Cloud Native Java EE,130,36,wildfly-swarm,WildFly Swarm,Organization,,130
AngularBeans,bessemHmidi/AngularBeans,Java,,130,58,bessemHmidi,Bessem Hmdi @BessemHmidi ,User,Tunisia,130
letterpress,Pixplicity/letterpress,Java,Custom fonts without writing code.,130,24,Pixplicity,Pixplicity,Organization,"Utrecht, The Netherlands",130
shuba,liuguangqiang/shuba,Java,Find the best novel for users.,130,38,liuguangqiang,Eric,User,China,263
android-postfix-plugin,takahirom/android-postfix-plugin,Java,Android postfix plugin for AndroidStudio,129,12,takahirom,,User,Japan,750
Akatsuki,tom91136/Akatsuki,Java,Android states and arguments made easy with annotations,129,17,tom91136,Tom Lin,User,UK,129
auto-value-parcel,rharter/auto-value-parcel,Java,An Android Parcelable extension for Google's AutoValue.,129,7,rharter,Ryan Harter,User,Chicago,129
mybatis-spring-boot,mybatis/mybatis-spring-boot,Java,MyBatis integration with Spring Boot,129,49,mybatis,MyBatis,Organization,"Canada, Colombia, Italy, Japan, Perú, Spain, Russia, Thailand, UK and USA",129
SearchableSpinner,rajasharan/SearchableSpinner,Java,An android dropdown widget which allows to easily filter huge list of options,129,20,rajasharan,Raja Sharan Mamidala,User,NJ,378
BannerTime,jcmore2/BannerTime,Java,BannerTime create a scheduled popup to show your personal message,129,27,jcmore2,Juan Carlos Moreno,User,Madrid,397
TitanjumNote,JungleTian/TitanjumNote,Java,超简单的笔记,支持搜索,Material Design,滑动退出,129,29,JungleTian,ZhangTitanjum,User,Beijing China,129
Atlas-Android,layerhq/Atlas-Android,Java,Atlas is a library of native Android communications user interface components for Layer.,128,65,layerhq,Layer,Organization,"San Francisco, CA",254
FastAndroid,huntermr/FastAndroid,Java,"这是一个融入了MVP模式,集成了多个开源项目后,进行整合形成的Android快速开发框架。",128,42,huntermr,韩涛,User,Shenzhen China,128
GreenMatter,negusoft/GreenMatter,Java,Android material theme backport and additional functionality.,128,19,negusoft,NEGU Soft,Organization,,128
ApkAutoInstaller,bunnyblue/ApkAutoInstaller,Java,Android Apk Auto Installer,128,45,bunnyblue,Bunny Blue,User,"San Francisco,CA",914
assertj-rx,ribot/assertj-rx,Java,AssertJ assertions for RxJava Observables,128,5,ribot,ribot,Organization,Brighton,128
whiskey,twitter/whiskey,Java,HTTP library for Android (beta),128,19,twitter,"Twitter, Inc.",Organization,"San Francisco, CA",7027
AndroidDeviceNames,tslamic/AndroidDeviceNames,Java,A tiny Android library that transforms the device model name into something users can understand.,128,11,tslamic,,User,Dublin,253
takes,yegor256/takes,Java,True Object-Oriented and Immutable Java Web Framework,127,63,yegor256,Yegor Bugayenko,User,"Palo Alto, CA",819
RecyclerItemDecoration,magiepooh/RecyclerItemDecoration,Java,ItemDecoration for RecyclerView using LinearLayoutManager for Android,127,28,magiepooh,magiepooh,User,"Tokyo, Japan",127
sinavideo_playersdk,SinaVDDeveloper/sinavideo_playersdk,Java,,127,47,SinaVDDeveloper,,Organization,,127
Android-Material-SearchView,EugeneHoran/Android-Material-SearchView,Java,,127,38,EugeneHoran,Eugene Horan,User,"Long Island, New York",127
UltimateBrowserProject,Thunderbottom/UltimateBrowserProject,Java,"[Stable, but development has been discontinued] Open source lightweight Android Browser. ",127,67,Thunderbottom,Chinmay Pai,User,Asia,127
Android-SVProgressHUD,saiwu-bigkoo/Android-SVProgressHUD,Java,SVProgressHUD For Android,126,42,saiwu-bigkoo,sai,User,guangzhou,663
Wurst-Client,Wurst-Imperium/Wurst-Client,Java,:boom: Minecraft Hacked Client by Alexander01998,126,198,Wurst-Imperium,Wurst-Imperium,Organization,,126
AndroidNewWidgetsDemo,git0pen/AndroidNewWidgetsDemo,Java,Android Design Support Library新控件用法大全,126,58,git0pen,安卓猴,User,China,126
SwipeBackHelper,Jude95/SwipeBackHelper,Java,make your activity can swipe to close,126,52,Jude95,Jude,User,重庆邮电大学,242
Android-Carbon-Forum,lincanbin/Android-Carbon-Forum,Java,Android Client for Carbon Forum with Material Design.,126,28,lincanbin,Canbin Lin,User,"Chaozhou, Guangdong, China",256
Kore,xbmc/Kore,Java,Kore is a simple and easy-to-use Kodi remote.,126,75,xbmc,XBMC Foundation,Organization,,126
SimpleHashSet,liaohuqiu/SimpleHashSet,Java,Save 25% memory for you.,125,17,liaohuqiu,Huqiu Liao,User,"San Francisco, United states",2307
BalloonPerformer,Kyson/BalloonPerformer,Java,悬浮窗,下拉有气球动画,125,26,Kyson,AndroidKy,User,,441
CameraColorPicker,tvbarthel/CameraColorPicker,Java,"Camera Color Picker is an Android application that lets you capture, in real time, the colors around you using the camera of your device",125,29,tvbarthel,tvbarthel,Organization,France,125
FancyBackground,tslamic/FancyBackground,Java,FancyBackground is a tiny Android library designed to animate a set of resource Drawables.,125,18,tslamic,,User,Dublin,253
fastutil,vigna/fastutil,Java,"fastutil extends the Java™ Collections Framework by providing type-specific maps, sets, lists and queues.",125,14,vigna,Sebastiano Vigna,User,"Milano, Italia",125
AndroidStudioAndRobolectric,nenick/AndroidStudioAndRobolectric,Java,Minimal Robolectric and Android Studio example,125,19,nenick,Nico Küchler,User,"Berlin, Germany",125
AndroidGameBoyEmulator,pedrovgs/AndroidGameBoyEmulator,Java,Android Game Boy Emulator written in Java,125,26,pedrovgs,Pedro Vicente Gómez Sánchez,User,Madrid,2386
motif,johnlcox/motif,Java,Scala-like pattern matching for Java 8,125,3,johnlcox,John Leacox,User,Kansas City,125
Dagger2Scopes,JorgeCastilloPrz/Dagger2Scopes,Java,Dagger 2 sample app implementing multiple scopes. Clean arquitecture.,124,16,JorgeCastilloPrz,Jorge Castillo,User,Madrid,2193
PictureThreeCache,saymagic/PictureThreeCache,Java,This is a Repository for Android application's pictures cache. You can use 'one line' style to show a picture on ImageView display and the code will cache the picture on the disk. ,124,23,saymagic,saymagic,User,Hang Zhou,124
CoreProgress,lizhangqu/CoreProgress,Java,OkHttp upload and download progress support,124,41,lizhangqu,lizhangqu,User,浙江省杭州市,504
Slice,mthli/Slice,Java,Android drawable that allows you custom round rect position.,124,7,mthli,李明亮,User,Beijing,1567
android-nearby,googlesamples/android-nearby,Java,Samples for Nearby APIs on Android,124,70,googlesamples,Google Samples,Organization,,13082
Vineyard,hitherejoe/Vineyard,Java,Vine client for Android TV,124,11,hitherejoe,Joe Birch,User,"Brighton, UK",3313
MaterialLetterIcon,IvBaranov/MaterialLetterIcon,Java,Material first letter icon like lollipop contacts icon. Letter(s) on a shape drawn on canvas.,124,28,IvBaranov,Ivan Baranov,User,,457
NLPIR,NLPIR-team/NLPIR,Java,,124,122,NLPIR-team,,Organization,,124
PinCodePicker,polok/PinCodePicker,Java,"PinCodePicker was created for Android platform as a view which allows to take passwords/codes or some other sensitive data from end user in easy way, so developers can focus on the core functionalities of their application",123,17,polok,polok,User,,123
Hide-Music-Player,w9xhc/Hide-Music-Player,Java,,123,34,w9xhc,,User,,123
dddsample-core,citerus/dddsample-core,Java,This is the new home of the original DDD Sample app (previously hosted at sf.net).. ,123,48,citerus,Citerus AB,Organization,Sweden,123
ListViewWithSofPpanel,nimengbo/ListViewWithSofPpanel,Java,,123,27,nimengbo,Abner,User,"ShangHai, China",735
MaterialQQLite,wang4yu6peng13/MaterialQQLite,Java,,123,50,wang4yu6peng13,,User,,123
PullDownView,w4lle/PullDownView,Java,大图作为header跟随手指向上滑动,下拉展示大图,122,10,w4lle,WangLingLong,User,"Shanghai,China",341
commonmark-java,atlassian/commonmark-java,Java,"Java implementation of CommonMark, a specification of the Markdown format",122,13,atlassian,Atlassian,Organization,Mostly Downunder but all over the world!,122
spring-reactive,spring-projects/spring-reactive,Java,Sandbox for experimenting on Spring 5 reactive programming support,122,25,spring-projects,Spring,Organization,,232
AnotherMonitor,AntonioRedondo/AnotherMonitor,Java,Monitors and records the CPU and memory usage of Android devices,122,34,AntonioRedondo,Antonio Redondo,User,"London, UK",122
JavaReedSolomon,Backblaze/JavaReedSolomon,Java,Backblaze Reed-Solomon Implementation in Java,121,19,Backblaze,Backblaze,Organization,"San Mateo, California, USA",121
show-java,niranjan94/show-java,Java,An apk decompiler for android.,121,38,niranjan94,Niranjan Rajendran,User,India,121
MaterialFilePicker,nbsp-team/MaterialFilePicker,Java,Material file picker for Android,121,27,nbsp-team,&nbsp;,Organization,,121
clean-simple-calendar,dpreussler/clean-simple-calendar,Java,Small simple android calendar implementation,120,19,dpreussler,Danny Preussler,User,"Berlin, Germany",120
Base,thiagokimo/Base,Java,Base is a lightweight library that gives you a clean architecture foundation for your Android MVP's,120,13,thiagokimo,Thiago Rocha (Kimo),User,"Stockholm, Sweden",306
RetractableToolbar,michelelacorte/RetractableToolbar,Java,A library to use comfortably the toolbar retractable Android.,120,17,michelelacorte,Michele Lacorte,User,"Bologna, Italy",533
SogoLoading,dengshiwei/SogoLoading,Java,SogoLoading Animation,120,19,dengshiwei,mr_dsw,User,SuZhou,120
caliper,google/caliper,Java,Automatically exported from code.google.com/p/caliper,120,22,google,Google,Organization,,70104
sectioned-recyclerview,afollestad/sectioned-recyclerview,Java,Implement a multi-sectioned RecyclerView using a custom adapter interface.,120,13,afollestad,Aidan Follestad,User,"Minneapolis, Minnesota",2553
Grant,anthonycr/Grant,Java,Simplifying Android Permissions,120,10,anthonycr,Anthony Restaino,User,"Brooklyn, NY",120
FlickableView,gotokatsuya/FlickableView,Java,Flickable ImageView for Android. It's like a view of twitter's detail image.,119,14,gotokatsuya,goka,User,"Tokyo, Japan",643
ImageCropper,Jhuster/ImageCropper,Java,A custom image cropper library for Android. ,119,23,Jhuster,卢俊,User,Shanghai,336
android-alltest-gradle-sample,benwilcock/android-alltest-gradle-sample,Java,"A template Gradle / Android project which integrates and configures Robolectric, Robotium, JUnit4 and standard Android Instrumentation together in one project.",119,22,benwilcock,Ben Wilcock,User,United Kingdom,119
BetterVectorDrawable,a-student/BetterVectorDrawable,Java,The VectorDrawable implementation for Android 4.0+,119,12,a-student,,User,,119
DCMonitor,shunfei/DCMonitor,Java,"Data Center monitor, included zookeeper, kafka, druid",119,33,shunfei,,Organization,,119
android-verticalseekbar,h6ah4i/android-verticalseekbar,Java,Vertical SeekBar class which supports Android 2.3 - 6.0.,119,27,h6ah4i,Haruki Hasegawa,User,"Tokyo, Japan",1813
Pancakes,mattlogan/Pancakes,Java,A View-based navigation stack for Android,118,10,mattlogan,Matt Logan,User,"Denver, CO",253
ringdroid,google/ringdroid,Java,,118,61,google,Google,Organization,,70104
Layout-to-Image,vipulasri/Layout-to-Image,Java,"Android Layout (Relative Layout, Linear Layout etc) to Image",118,20,vipulasri,Vipul Asri,User,New Delhi,690
espresso-samples,chiuki/espresso-samples,Java,A collection of samples demonstrating different Espresso techniques.,118,22,chiuki,Chiu-Ki Chan,User,"Boulder, CO",787
AnimatedRandomLayout,Windsander/AnimatedRandomLayout,Java,A flexible RandomLayout with controlable Animation,117,21,Windsander,Windsander Lee,User,"China, BeiJing",117
ScrollableLayout,cpoopc/ScrollableLayout,Java,共同头部+ViewPager+ListView http://blog.csdn.net/w7822938/article/details/47173047,117,26,cpoopc,,User,厦门,117
gwt-material,GwtMaterialDesign/gwt-material,Java,A Google Material Design wrapper for GWT ,117,35,GwtMaterialDesign,Gwt Material Design,Organization,,117
EasyRecyclerView,Jude95/EasyRecyclerView,Java,"ArrayAdapter,pull to refresh,auto load more,Header/Footer,EmptyView,ProgressView,ErrorView",116,43,Jude95,Jude,User,重庆邮电大学,242
lightwave,vmware/lightwave,Java,"Identity services for traditional infrastructure, applications and containers.",116,28,vmware,VMware ,Organization,"Palo Alto,CA",959
jvmtop,patric-r/jvmtop,Java,"Java monitoring for the command-line, profiler included",116,19,patric-r,,User,,116
ExoMedia,brianwernick/ExoMedia,Java,An Android ExoPlayer wrapper to simplify Audio and Video implementations,116,27,brianwernick,Brian Wernick,User,"Utah, USA",116
umlet,umlet/umlet,Java,Free UML Tool for Fast UML Diagrams,116,30,umlet,UMLet,User,,116
SubmitDemo,tuesda/SubmitDemo,Java,comtomize view submit button which you use for submit operation or download operation and so on.,116,18,tuesda,ZhangLei,User,Shenzhen,1495
rx-receivers,f2prateek/rx-receivers,Java,Reactive Bindings for BroadcastReceivers — WIP,115,11,f2prateek,Prateek Srivastava,User,San Francisco,115
MobileSafer,msandroid/MobileSafer,Java,Android项目实战,手机安全小卫士,115,30,msandroid,Song Ya rong,User,Edinburgh British,115
AnyShareOfAndroid,gpfduoduo/AnyShareOfAndroid,Java,西瓜快传 仿照市场上的茄子快传 或者 360文件传输 在局域网内,如果没有局域网,接收方建立热点,发送发接入热点,进行文件(发送方的app、音视频、图片等文件),115,30,gpfduoduo,郭攀峰,User,Nanjing Jiangsu. China,466
MessageSend,liangzhitao/MessageSend,Java,一个聊天输入框。,115,21,liangzhitao,Ailurus,User,Beijing,115
BusyIndicator,silverforge/BusyIndicator,Java,,115,21,silverforge,Janos Murvai-Gaal,User,HU,115
android-testing,googlecodelabs/android-testing,Java,,115,35,googlecodelabs,Google Codelabs,Organization,,297
SlideAndDragListView,yydcdut/SlideAndDragListView,Java,:curly_loop:SlideAndDragListView (SDLV) is an extension of the Android ListView that enables slide and drag-and-drop reordering of list items.,115,57,yydcdut,yydcdut,User,BeiJing China,507
landmarker,googlecreativelab/landmarker,Java,"Orientation, GPS, and Places enabled Android Experiment",114,30,googlecreativelab,Google Creative Lab,Organization,,340
log4jdbc,arthurblake/log4jdbc,Java,log4jdbc is a Java JDBC driver that can log SQL and/or JDBC calls (and optionally SQL timing information) for other JDBC drivers using the Simple Logging Facade For Java (SLF4J) logging system.,114,39,arthurblake,Arthur Blake,User,"Atlanta, GA",114
NonViewUtils,android-quick-dev/NonViewUtils,Java,不涉及视图的工具类,逻辑类的集合,114,74,android-quick-dev,,Organization,,114
osmbonuspack,MKergall/osmbonuspack,Java,A third-party library of (very) useful additional objects for osmdroid,114,46,MKergall,MKer,User,,114
Spyglass,linkedin/Spyglass,Java,A library for mentions on Android,114,34,linkedin,LinkedIn,Organization,"Mountain View, CA, USA",2299
HelloSwift,Ecco/HelloSwift,Java,,114,8,Ecco,Romain Goyet,User,Paris,114
EWeightScale,Jhuster/EWeightScale,Java,一款可以记录和查询体重的应用,113,24,Jhuster,卢俊,User,Shanghai,336
jsweet,cincheo/jsweet,Java,A Java to JavaScript transpiler.,113,13,cincheo,Cinchéo,Organization,,113
react-native-sqlite-storage,andpor/react-native-sqlite-storage,Java,Full featured SQLite3 Native Plugin for React Native (Android and iOS),113,7,andpor,Andrzej Porebski,User,,113
SparkleMotion,IFTTT/SparkleMotion,Java,A ViewPager animator that animates Views within pages as well as views across pages.,113,11,IFTTT,IFTTT,Organization,San Francisco,5448
sasi,xedin/sasi,Java,"Improved Secondary Indexing with new Query Capabilities (OR, scoping) for Cassandra",112,4,xedin,Pavel Yaskevich,User,"San Francisco, CA",112
realm-searchview,thorbenprimke/realm-searchview,Java,,111,19,thorbenprimke,Thorben Primke,User,"San Francisco, CA",295
xash3d-android-project,SDLash3D/xash3d-android-project,Java,Xash3D Android Project for NDK. ,111,11,SDLash3D,SDLash3D project,Organization,Internet,111
SearchView,lapism/SearchView,Java,Persistent SearchView Library in Material Design.,111,20,lapism,,User,,111
XSwipeRefresh,CommonQ/XSwipeRefresh,Java,An extension of android.support.v4.widget.SwipeRefreshLayout that allows to swipe in both direction,110,1,CommonQ,Kaiming Qu,User,Beijing,110
Watchface-Constructor,Yalantis/Watchface-Constructor,Java,This is simple watchface constructor demo,110,16,Yalantis,Yalantis,Organization,"Ukraine, Dnepropetrovsk",28436
HMCL,huanghongxun/HMCL,Java,Hello Minecraft! Launcher,110,28,huanghongxun,,User,,110
ud867,udacity/ud867,Java,Course code repository for Gradle for Android and Java,110,213,udacity,Udacity,Organization,"Mountain View, CA",1670
permiso,greysonp/permiso,Java,An Android library to make handling runtime permissions a whole lot easier.,110,7,greysonp,Greyson Parrelli,User,"Mountain View, CA",110
Android-Base-Project,mobiwiseco/Android-Base-Project,Java,An Android Base Project which can be example for every Android project.,110,20,mobiwiseco,mobiwise,Organization,Eskisehir,110
prefser,pwittchen/prefser,Java,Wrapper for Android SharedPreferences with object serialization and RxJava Observables,110,13,pwittchen,Piotr Wittchen,User,"Gliwice, Poland",603
ecs-mesos-scheduler-driver,awslabs/ecs-mesos-scheduler-driver,Java,Amazon ECS Scheduler Driver,110,6,awslabs,Amazon Web Services - Labs,Organization,"Seattle, WA",2991
newbieTraining,wxygeek/newbieTraining,Java,The Newbie Training For Some Cool Guys,110,64,wxygeek,Xiaoyu WANG,User,"Harbin, China",110
spring-statemachine,spring-projects/spring-statemachine,Java,Spring Statemachine is a framework for application developers to use state machine concepts with Spring.,110,56,spring-projects,Spring,Organization,,232
FontDrawable,kazy1991/FontDrawable,Java,Convert Icon-font(e.g. font-awsome) to Drawable or Bitmap for Android.,110,10,kazy1991,,User,,110
CircleIndicator,THEONE10211024/CircleIndicator,Java,A lightweight viewpager indicator!,110,35,THEONE10211024,xiayong,User,"Beijing,China",695
ScrollerCalendar,guanchao/ScrollerCalendar,Java,,109,21,guanchao,guanchao,User,,109
unmock-plugin,bjoernQ/unmock-plugin,Java,Gradle plugin to be used in combination with the new unit testing feature of the Gradle Plugin / Android Studio to use real classes for e.g. SparseArray.,109,10,bjoernQ,Björn Quentin,User,Limburg / Germany,109
findbugs,findbugsproject/findbugs,Java,The new home of the FindBugs project,109,36,findbugsproject,The FindBugs project,Organization,,109
Chronos,RedMadRobot/Chronos,Java,Android library that handles asynchronous jobs.,108,9,RedMadRobot,Redmadrobot,Organization,"Moscow, Russia",108
caesar,vbauer/caesar,Java,Library that allows to create async beans from sync beans,108,7,vbauer,Vladislav Bauer,User,,566
Android-ScalableImageView,yqritc/Android-ScalableImageView,Java,"ScalableImageView has extra scale types of ImageView. Supported scale types are fitXY, fitStart, fitCenter, fitEnd, leftTop, leftCenter, leftBottom, centerTop, center, centerBottom, rightTop, rightCenter, rightBottom, leftTopCrop, leftCenterCrop, leftBottomCrop, centerTopCrop, centerCrop, centerBottomCrop, rightTopCrop, rightCenterCrop, rightBottomCrop, startInside, centerInside and endInside.",108,18,yqritc,Yoshihito Ikeda,User,"Yokohama, Japan",1385
NineGridView,panyiho/NineGridView,Java,一个九宫格自定义控件,实现类似微信和微博的九宫格图片显示,108,71,panyiho,Pan_,User,china guangzhou,108
CircularProgressBar,lopspower/CircularProgressBar,Java,Create circular progressBar in android,108,18,lopspower,Lopez Mikhael,User,"Paris, France",658
JSAT,EdwardRaff/JSAT,Java,"Java Statistical Analysis Tool, a Java library for Machine Learning ",107,39,EdwardRaff,,User,"Columbia, MD",107
PopSeekBar,jiahuanyu/PopSeekBar,Java,Nice and pop seek bar on Android platform,107,27,jiahuanyu,Love ZN,User,ShangHai China,469
FloatingSearchView,renaudcerrato/FloatingSearchView,Java,"Yet another floating search view implementation, also known as persistent search.",107,5,renaudcerrato,Cerrato Renaud ,User,,837
commentView,selfimgr/commentView,Java,"A library to show emoji,voice, commentview for Android",107,31,selfimgr,selfimgr,User,guangzhou,107
base-adapter,hongyangAndroid/base-adapter,Java,"Android 万能的Adapter for ListView,GridView等,支持多种Item类型的情况。",107,53,hongyangAndroid,张鸿洋,User,"Xian,China",8055
OverlayMenu,sephiroth74/OverlayMenu,Java,Android Overlay Menu,107,16,sephiroth74,Alessandro Crugnola,User,"New York, NY",107
Advanced_Android_Development,udacity/Advanced_Android_Development,Java,Repo for the Advanced Android App Development course,107,196,udacity,Udacity,Organization,"Mountain View, CA",1670
recyclerview-binder,satorufujiwara/recyclerview-binder,Java,Android library for RecyclerView to manage order of items and multiple view types.,106,12,satorufujiwara,Satoru Fujiwara,User,"Shibuya, Tokyo, Japan",571
incubator-tinkerpop,apache/incubator-tinkerpop,Java,Mirror of Apache TinkerPop (Incubating),106,73,apache,The Apache Software Foundation,Organization,,3728
StaticLayoutView,ragnraok/StaticLayoutView,Java,a pre-render TextView demo,105,17,ragnraok,RagnarokStack,User,"ZhongShan, China",105
Android-welcome-screen,trbala0205/Android-welcome-screen,Java,"Activity transition Activities , Fragment and View Pager translation",105,9,trbala0205,Bala R,User,Bangalore,105
PhotoDraweeView,ongakuer/PhotoDraweeView,Java,PhotoView For Fresco,105,35,ongakuer,relex,User,"Beijing , China",105
MutiPhotoChoser,xiaolifan/MutiPhotoChoser,Java,可以多选的图片选择器,105,14,xiaolifan,,User,,105
tilt-game-android,MediaMonks/tilt-game-android,Java,,105,31,MediaMonks,MediaMonks,Organization,International,105
OkWear,AAkira/OkWear,Java,Easily connection between Android wear and Handheld (Mobile device),104,14,AAkira,Akira Aratani,User,"Tokyo, Japan",574
MaterialDialogBottomSheet,TakeoffAndroid/MaterialDialogBottomSheet,Java,MaterialDialogBottomSheet is a custom dialog implementation to use BottomSheet MaterialView feature in pre Lollipop and latest versions of android.,104,29,TakeoffAndroid,,User,,810
realm-rxjava-example,kboyarshinov/realm-rxjava-example,Java,[DEPRECATED] Example of using Realm with RxJava on Android,104,14,kboyarshinov,Kirill Boyarshinov,User,Singapore,104
JNote,Jhuster/JNote,Java,一款支持部分Markdown语法的轻量级便签软件。,104,11,Jhuster,卢俊,User,Shanghai,336
chaos-http-proxy,bouncestorage/chaos-http-proxy,Java,Introduce failures into HTTP requests via a proxy server,103,3,bouncestorage,Bounce Storage,Organization,San Francisco,103
boilerplate,koush/boilerplate,Java,,103,13,koush,Koushik Dutta,User,"Seattle, WA",103
WS-Attacker,RUB-NDS/WS-Attacker,Java,"WS-Attacker is a modular framework for web services penetration testing. It is developed by the Chair of Network and Data Security, Ruhr University Bochum (http://nds.rub.de/ ) and the 3curity GmbH (http://3curity.de/ ).",103,22,RUB-NDS,Ruhr University Bochum - Chair for Network and Data Security,Organization,Ruhr University Bochum,103
VitaminSaber,w2ji/VitaminSaber,Java,,103,7,w2ji,,User,,103
encore,fastbootmobile/encore,Java,,102,24,fastbootmobile,Fastboot Mobile,Organization,United States,102
intentbuilder,robertoestivill/intentbuilder,Java,Android Intent wrapper with fluid API and argument validations.,102,11,robertoestivill,Robert,User,Argentina,102
AhoCorasickDoubleArrayTrie,hankcs/AhoCorasickDoubleArrayTrie,Java,An extremely fast implemention of Aho Corasick algorithm based on Double Array Trie.,102,54,hankcs,,User,,102
jaxrs-analyzer,sdaschner/jaxrs-analyzer,Java,Creates REST documentation for JAX-RS projects,102,13,sdaschner,Sebastian Daschner,User,Munich,102
ngAndroid,davityle/ngAndroid,Java,ngAndroid is bringing angularjs type directives to android xml attributes,102,6,davityle,Tyler Davis,User,,102
Salut,markrjr/Salut,Java,A nice library for working with WiFi direct on Android.,102,16,markrjr,Mark Raymond Jr.,User,,102
ExceptionWear,tajchert/ExceptionWear,Java,A library for Android Wear projects to handle exceptions properly.,101,10,tajchert,Michal Tajchert,User,Warsaw,1236
DateRangePicker,yesidlazaro/DateRangePicker,Java,A Dialogo fragment with date picker for select a range.,101,16,yesidlazaro,Yesid,User,"Bogotá, Colombia",452
Pr0,mopsalarm/Pr0,Java,pr0gramm app,101,22,mopsalarm,,User,,101
spark-solr,LucidWorks/spark-solr,Java,Tools for reading data from Solr as a Spark RDD and indexing objects from Spark into Solr using SolrJ.,101,59,LucidWorks,Lucidworks,Organization,"San Francisco, CA",101
tungsten-replicator,vmware/tungsten-replicator,Java,Tungsten Replicator,101,38,vmware,VMware ,Organization,"Palo Alto,CA",959
AppCrash,jcmore2/AppCrash,Java,AppCrash let you relaunch the app and manage crash message when your app has an exception.,100,12,jcmore2,Juan Carlos Moreno,User,Madrid,397
react-native-cordova-plugin,axemclion/react-native-cordova-plugin,Java,Cordova Plugin Adapter for React Native,100,4,axemclion,Parashuram N,User,,100
thefuck,nvbn/thefuck,Python,Magnificent app which corrects your previous console command.,16449,768,nvbn,Vladimir Iakovlev,User,"Russia, Saint-Petersburg",16449
big-list-of-naughty-strings,minimaxir/big-list-of-naughty-strings,Python,The Big List of Naughty Strings is a list of strings which have a high probability of causing issues when used as user-input data.,9387,381,minimaxir,Max Woolf,User,San Francisco Bay Area,9890
XX-Net,XX-net/XX-Net,Python,接力GoAgent翻墙工具----Anti-censor tools,4137,1535,XX-net,XX-Net,Organization,,4137
data-science-ipython-notebooks,donnemartin/data-science-ipython-notebooks,Python,"Continually updated data science Python notebooks: Deep learning (TensorFlow, Theano, Caffe), scikit-learn, Kaggle, Spark, Hadoop MapReduce, HDFS, matplotlib, pandas, NumPy, SciPy, Python essentials, AWS, and various command lines. https://bit.ly/data-notes",3945,623,donnemartin,Donne Martin,User,"Washington, D.C.",11869
keras,fchollet/keras,Python,"Deep Learning library for Python. Convnets, recurrent neural networks, and more. Runs on Theano and TensorFlow.",3731,864,fchollet,François Chollet,User,San Francisco,3731
zulip,zulip/zulip,Python,Zulip server - powerful open source group chat,3526,441,zulip,Zulip,Organization,,4404
mkcast,KeyboardFire/mkcast,Python,"[OBSOLETE - see readme] A tool for creating GIF screencasts of a terminal, with key presses overlaid.",3341,62,KeyboardFire,KeyboardFire,User,,3341
OS-X-Security-and-Privacy-Guide,drduh/OS-X-Security-and-Privacy-Guide,Python,,3329,189,drduh,,User,,4408
monoid,larsenwork/monoid,Python,"Customisable coding font with alternates, ligatures and contextual positioning. Crazy crisp at 12px/9pt. http://larsenwork.com/monoid/",3019,66,larsenwork,Andreas Larsen,User,"Copenhagen, Denmark",3019
yapf,google/yapf,Python,A formatter for Python files,2926,181,google,Google,Organization,,70104
mimic,reinderien/mimic,Python,[ab]using Unicode to create tragedy,2830,88,reinderien,Greg Toombs,User,Canada,2830
codeface,chrissimpkins/codeface,Python,Typefaces for source code beautification,2808,191,chrissimpkins,Chris Simpkins,User,,10012
Legofy,JuanPotato/Legofy,Python,Make images look as if they are made out of 1x1 LEGO blocks,2667,161,JuanPotato,Juan Potato,User,,2667
PathPicker,facebook/PathPicker,Python,"PathPicker accepts a wide range of input -- output from git commands, grep results, searches -- pretty much anything.
After parsing the input, PathPicker presents you with a nice UI to select which files you're interested in. After that you can open them in your favorite editor or execute arbitrary commands.",2660,141,facebook,Facebook,Organization,"Menlo Park, California",61260
rockstar,avinassh/rockstar,Python,Makes you a Rockstar C++ Programmer in 2 minutes,2623,189,avinassh,,User,,2862
saws,donnemartin/saws,Python,A supercharged AWS command line interface (CLI). http://bit.ly/git-saws,2591,88,donnemartin,Donne Martin,User,"Washington, D.C.",11869
mycli,dbcli/mycli,Python,A Terminal Client for MySQL with AutoCompletion and Syntax Highlighting.,2355,112,dbcli,dbcli,Organization,United States,2355
DisableWinTracking,10se1ucgo/DisableWinTracking,Python,Uses some known methods that attempt to disable tracking in Windows 10,2315,151,10se1ucgo,,User,,2315
data-science-blogs,rushter/data-science-blogs,Python,A curated list of data science blogs,2214,222,rushter,Artem,User,Russia,2214
interactive-coding-challenges,donnemartin/interactive-coding-challenges,Python,"Continually updated interactive, test-driven Python coding challenges (algorithms and data structures) typically found in coding interviews or coding competitions. https://bit.ly/git-code",2121,256,donnemartin,Donne Martin,User,"Washington, D.C.",11869
joe,karan/joe,Python,:running: A .gitignore magician in your command line,2118,91,karan,Karan Goel,User,Seattle,2904
roboto,google/roboto,Python,The Roboto family of fonts,2110,182,google,Google,Organization,,70104
Data-Analysis-and-Machine-Learning-Projects,rhiever/Data-Analysis-and-Machine-Learning-Projects,Python,"Repository of teaching materials, code, and data for my data analysis and machine learning projects.",1979,305,rhiever,Randy Olson,User,"Philadelphia, PA",2537
microservices-infrastructure,CiscoCloud/microservices-infrastructure,Python,Mantl is a modern platform for rapidly deploying globally distributed services,1826,214,CiscoCloud,,Organization,,2134
tqdm,tqdm/tqdm,Python,"A fast, extensible progress bar for Python",1758,50,tqdm,tqdm developers,Organization,,1758
acme-tiny,diafygi/acme-tiny,Python,A tiny script to issue and renew TLS certs from Let's Encrypt,1739,105,diafygi,Daniel Roesler,User,"Oakland, CA",5657
awesome-aws,donnemartin/awesome-aws,Python,"A curated list of awesome Amazon Web Services (AWS) libraries, open source repos, guides, blogs, and other resources. https://bit.ly/git-AWSome",1631,96,donnemartin,Donne Martin,User,"Washington, D.C.",11869
dev-setup,donnemartin/dev-setup,Python,"Mac OS X development environment setup: Easy-to-understand instructions with automated setup scripts for developer tools like Vim, Sublime Text, Bash, iTerm, Python data analysis, Spark, Hadoop MapReduce, AWS, Heroku, JavaScript web development, Android development, common data stores, and dev-based OS X defaults. https://bit.ly/git-dotfiles",1581,197,donnemartin,Donne Martin,User,"Washington, D.C.",11869
pyvim,jonathanslenders/pyvim,Python,Pure Python Vim clone.,1575,83,jonathanslenders,Jonathan Slenders,User,Belgium,1575
aws-shell,awslabs/aws-shell,Python,An integrated shell for working with the AWS CLI.,1525,43,awslabs,Amazon Web Services - Labs,Organization,"Seattle, WA",2991
LaZagne,AlessandroZ/LaZagne,Python,Credentials recovery project,1495,275,AlessandroZ,,User,,1495
DeepDreamVideo,graphific/DeepDreamVideo,Python,implementing deep dream on video,1455,181,graphific,Roelof Pieters,User,"Stockholm, Sweden",1455
skflow,google/skflow,Python,Simplified interface for TensorFlow (mimicking Scikit Learn),1387,135,google,Google,Organization,,70104
gradify,fraser-hemp/gradify,Python,CSS gradient placeholders,1380,72,fraser-hemp,,User,,1380
TensorFlow-Tutorials,nlintz/TensorFlow-Tutorials,Python,Simple tutorials using Google's TensorFlow Framework,1354,184,nlintz,Nathan Lintz,User,,1354
PyTricks,brennerm/PyTricks,Python,Collection of less popular features and tricks for the Python programming language,1328,196,brennerm,Max Brenner,User,"Leipzig, Germany",1328
LayoutCast,mmin18/LayoutCast,Python,Cast android code and resource changes to the running application through ADB.,1321,139,mmin18,Tu Yimin,User,Shanghai,1321
usbkill,hephaest0s/usbkill,Python,« usbkill » is an anti-forensic kill-switch that waits for a change on your USB ports and then immediately shuts down your computer.,1273,277,hephaest0s,Hephaestos,User,,1273
GitSavvy,divmain/GitSavvy,Python,Full git and GitHub integration with Sublime Text 3.,1266,67,divmain,Dale Bustad,User,"Seattle, WA",1266
snake,amoffat/snake,Python,Full Python Scripting in Vim,1226,44,amoffat,Andrew Moffat,User,"Chicago, IL",1341
ZeroNet,HelloZeroNet/ZeroNet,Python,ZeroNet - Decentralized websites using Bitcoin crypto and BitTorrent network,1221,121,HelloZeroNet,ZeroNet,User,"Budapest, Hungary",1221
zerodb,zero-db/zerodb,Python,ZeroDB is an end-to-end encrypted database. Data can be stored on untrusted database servers without ever exposing the encryption key. Clients can execute remote queries against the encrypted data without downloading all of it or suffering an excessive performance hit.,1211,63,zero-db,ZeroDB,Organization,San Francisco Bay Area,1322
fuck12306,andelf/fuck12306,Python,12306 图片验证码识别测试,1209,424,andelf,ShuYu Wang,User,"Beijing, China",1209
lektor,lektor/lektor,Python,The lektor static file content management system,1146,49,lektor,Lektor CMS,Organization,Austria,1146
neural-storyteller,ryankiros/neural-storyteller,Python,A recurrent neural network for generating little stories about images,1141,119,ryankiros,Ryan Kiros,User,,1643
reverse-geocoder,thampiman/reverse-geocoder,Python,"A fast, offline reverse geocoder in Python",1119,47,thampiman,Ajay Thampi,User,London,1119
chainer,pfnet/chainer,Python,A flexible framework of neural networks for deep learning,1043,181,pfnet,"Preferred Networks, Inc.",Organization,,1043
pyxley,stitchfix/pyxley,Python,Python helpers for building dashboards using Flask and React,1028,84,stitchfix,Stitch Fix Technology,Organization,Everywhere,1154
pupy,n1nj4sec/pupy,Python,"Pupy is an opensource, multi-platform Remote Administration Tool with an embedded Python interpreter. Pupy can load python packages from memory and transparently access remote python objects. Pupy can communicate using different transports and have a bunch of cool features & modules. On Windows, Pupy is a reflective DLL and leaves no traces on disk.",1014,195,n1nj4sec,,User,France,1446
cachebrowser,CacheBrowser/cachebrowser,Python,A proxy-less censorship resistance tool,1013,187,CacheBrowser,,Organization,,1013
kinto,Kinto/kinto,Python,A lightweight JSON storage service with synchronisation and sharing abilities.,997,59,Kinto,Kinto,Organization,,997
intermediatePython,yasoob/intermediatePython,Python,,991,158,yasoob,M.Yasoob Ullah Khalid ☺,User,Pakistan,991
reverse,joelpx/reverse,Python,Reverse engineering tool for x86/ARM/MIPS. Generates indented pseudo-C with colored syntax code.,602,95,joelpx,,User,,602
Tomorrow,madisonmay/Tomorrow,Python,Magic decorator syntax for asynchronous code in Python,948,47,madisonmay,Madison May,User,"Needham, Massachusetts",948
ytfs,rasguanabana/ytfs,Python,YouTube File System,943,38,rasguanabana,Adrian Włosiak,User,,943
enjarify,google/enjarify,Python,,931,193,google,Google,Organization,,70104
hug,timothycrosley/hug,Python,"Embrace the APIs of the future. Hug aims to make developing APIs as simple as possible, but no simpler.",884,29,timothycrosley,Timothy Edmund Crosley,User,Seattle,1011
vim-hackernews,ryanss/vim-hackernews,Python,Browse Hacker News inside Vim,880,35,ryanss,,User,"Waterloo, Canada",880
ispy,dellis23/ispy,Python,Monitor the output of terminals and processes.,872,29,dellis23,Dan,User,,1024
git-remote-dropbox,anishathalye/git-remote-dropbox,Python,A transparent bridge between Git and Dropbox - use a Dropbox (shared) folder as a Git remote! :gift:,869,26,anishathalye,Anish Athalye,User,"Cambridge, MA",1132
tushare,waditu/tushare,Python,TuShare is a utility for crawling historical data of China stocks,865,469,waditu,挖地兔,Organization,BEIJING,865
DeDRM_tools,apprenticeharper/DeDRM_tools,Python,DeDRM tools for ebooks,836,70,apprenticeharper,Apprentice Harper,User,,836
DIGITS,NVIDIA/DIGITS,Python,Deep Learning GPU Training System,841,244,NVIDIA,NVIDIA Corporation,Organization,"2701 San Tomas Expressway, Santa Clara, California, 95050",1060
StarterLearningPython,qiwsir/StarterLearningPython,Python,Learning Python: from Beginner to Master. http://www.itdiffer.com,825,390,qiwsir,老齐,User,Suzhou China,825
jungle,achiku/jungle,Python,AWS operations by cli should be simpler,813,27,achiku,Akira Chiku,User,"Tokyo, Japan",813
scudcloud,raelgc/scudcloud,Python,ScudCloud - Linux client for Slack.com,812,61,raelgc,Rael Gugelmin Cunha,User,,812
slouchy,pyskell/slouchy,Python,Slouchy uses your webcam to check if you're slouching and alert you if you are. This project is still in active development and not feature complete.,812,56,pyskell,Anthony Lusardi,User,"Brooklyn, New York",812
greenhat,4148/greenhat,Python,:construction_worker: Quick hack for making real work happen.,800,99,4148,Angus H.,User,"Berkeley, CA",800
curio,dabeaz/curio,Python,,788,42,dabeaz,David Beazley,User,Chicago,788
confidant,lyft/confidant,Python,Confidant: your secret keeper.,787,26,lyft,Lyft,Organization,"San Francisco, CA",3054
dcgan_code,Newmu/dcgan_code,Python,Deep Convolutional Generative Adversarial Networks,751,73,Newmu,Alec Radford,User,"Boston, MA",751
krill,p-e-w/krill,Python,:newspaper: The hacker's way of keeping up with the world.,752,33,p-e-w,Philipp Emanuel Weidmann,User,Anywhere the Internet is,752
eg,srsudar/eg,Python,Useful examples at the command line.,745,34,srsudar,Sam Sudar,User,"Seattle, WA",745
photon,vmware/photon,Python,Minimal Linux container host,742,187,vmware,VMware ,Organization,"Palo Alto,CA",959
spyder,spyder-ide/spyder,Python,Official repository for Spyder - The Scientific PYthon Development EnviRonment,731,205,spyder-ide,Spyder IDE,Organization,,731
python3-in-one-pic,coodict/python3-in-one-pic,Python,Learn python3 in one picture.,686,174,coodict,Coodict,Organization,,5264
slack-overflow,karan/slack-overflow,Python,"A programmer's best friend, now in Slack.",678,37,karan,Karan Goel,User,Seattle,2904
scikit-neuralnetwork,aigamedev/scikit-neuralnetwork,Python,Deep neural networks without the learning cliff! Classifiers and regressors compatible with scikit-learn.,675,64,aigamedev,AiGameDev.com,Organization,"Vienna, Austria.",675
biaxial-rnn-music-composition,hexahedria/biaxial-rnn-music-composition,Python,A recurrent neural network designed to generate classical music.,664,95,hexahedria,Daniel Johnson,User,,664
search-script-scrape,compjour/search-script-scrape,Python,101 real world web scraping exercises in Python 3 for data journalists,663,91,compjour,,Organization,,663
letsencrypt-nosudo,diafygi/letsencrypt-nosudo,Python,Free HTTPS certificates without having to trust the letsencrypt cli with sudo/root,658,49,diafygi,Daniel Roesler,User,"Oakland, CA",5657
PeachPy,Maratyszcza/PeachPy,Python,x86-64 assembler embedded in Python,655,23,Maratyszcza,Marat Dukhan,User,"Atlanta, GA",655
simp_le,kuba/simp_le,Python,Simple Let's Encrypt Client,644,25,kuba,Jakub Warmuz,User,,644
paasta,Yelp/paasta,Python,"An open, distributed platform as a service",643,37,Yelp,Yelp.com,Organization,San Francisco,884
latex-to-html5,smarr/latex-to-html5,Python,Scripts for Latex to HTML5 conversion,641,29,smarr,Stefan Marr,User,"Linz, Austria",641
dnsteal,m57/dnsteal,Python,DNS Exfiltration tool for stealthily sending files over DNS requests.,638,89,m57,Mitch \x90,User,somewhere in space,764
xonsh,scopatz/xonsh,Python,"xonsh is a Python-ish, BASHwards-facing shell.",629,81,scopatz,Anthony Scopatz,User,"Columbia, SC",629
gping,orf/gping,Python,"Ping, but with a graph",618,33,orf,,User,,834
rtv,michael-lazar/rtv,Python,Browse Reddit from your terminal,605,53,michael-lazar,Michael Lazar,User,"San Diego, CA",605
audiogrep,antiboredom/audiogrep,Python,Creates audio supercuts.,605,27,antiboredom,Sam Lavigne,User,brooklyn,605
MagicPython,MagicStack/MagicPython,Python,"Cutting edge Python syntax highlighter for Sublime Text, Atom and Visual Studio Code.",605,12,MagicStack,magicstack,Organization,,605
ohmu,paul-nechifor/ohmu,Python,View space usage in your terminal.,603,16,paul-nechifor,Paul Nechifor,User,"London, UK",603
fast-rcnn,rbgirshick/fast-rcnn,Python,Fast R-CNN,581,356,rbgirshick,Ross Girshick,User,,731
pipreqs,bndr/pipreqs,Python,pipreqs - Generate pip requirements.txt file based on imports of any project,577,32,bndr,Vadim Kravcenko,User,"Darmstadt, Deutschland",577
ibis,cloudera/ibis,Python,"Big data the Pythonic way. Productivity-centric Python data analysis framework for Analytic SQL and Hadoop, with high performance extensions for Impala. Co-founded by the creator of pandas",559,65,cloudera,Cloudera,Organization,"California, USA",910
programming-talks,hellerve/programming-talks,Python,Awesome & Interesting Talks concerning Programming,565,59,hellerve,Veit Heller,User,Berlin,565
whatsappcli,KarimJedda/whatsappcli,Python,Control your server from Whatsapp,554,59,KarimJedda,Karim,User,Munich,554
commix,stasinopoulos/commix,Python,Automated All-in-One OS Command Injection and Exploitation Tool,542,111,stasinopoulos,Anastasios Stasinopoulos,User,"Athens, Greece",542
gcat,byt3bl33d3r/gcat,Python,A fully featured backdoor that uses Gmail as a C&C server,535,169,byt3bl33d3r,byt3bl33d3r,User,The middle of your LAN,535
onelinerizer,csvoss/onelinerizer,Python,Convert any Python file into a single line of code.,532,39,csvoss,Chelsea Voss,User,Massachusetts Institute of Technology,532
Wooey,wooey/Wooey,Python,A Django app which creates automatic web UIs for Python scripts.,530,31,wooey,Wooey,Organization,,530
mysql_utils,pinterest/mysql_utils,Python,Pinterest MySQL Management Tools,530,50,pinterest,Pinterest,Organization,"San Francisco, California",3903
see,F-Secure/see,Python,Sandboxed Execution Environment,524,52,F-Secure,F-Secure Corporation,Organization,Finland,524
HTTPLang,Max00355/HTTPLang,Python,A scripting langauge to do HTTP routines. ,516,27,Max00355,Frankie Primerano,User,,681
braindump,levlaz/braindump,Python,"BrainDump is a simple, powerful, and open note taking platform that makes it easy to organize your life.",508,53,levlaz,Lev Lazinskiy,User,United States,508
sphinx,sphinx-doc/sphinx,Python,Main repository for the Sphinx documentation builder,501,263,sphinx-doc,,Organization,,501
skip-thoughts,ryankiros/skip-thoughts,Python,Sent2Vec encoder and training code from the paper 'Skip-Thought Vectors',502,120,ryankiros,Ryan Kiros,User,,1643
cointrol,jkbrzt/cointrol,Python,Bitcoin trading bot with a real-time dashboard for Bitstamp.,491,45,jkbrzt,Jakub Roztočil,User,,491
infernal-twin,entropy1337/infernal-twin,Python,wireless hacking - This is automated wireless hacking tool,488,96,entropy1337,KHalilov M,User,,488
django-hackathon-starter,DrkSephy/django-hackathon-starter,Python,A boilerplate for Django web applications,478,61,DrkSephy,David Leonard,User,New York City,478
net-creds,DanMcInerney/net-creds,Python,Sniffs sensitive data from interface or pcap,476,98,DanMcInerney,Dan McInerney,User,,476
awesome-honeypots,paralax/awesome-honeypots,Python,an awesome list of honeypot resources,475,110,paralax,jose nazario,User,"ann arbor, mi",475
lightfm,lyst/lightfm,Python,"A Python implementation of LightFM, a hybrid recommendation algorithm.",474,35,lyst,Lyst Engineering,Organization,"London, UK",474
deep-visualization-toolbox,yosinski/deep-visualization-toolbox,Python,,472,104,yosinski,Jason Yosinski,User,"Ithaca, NY",472
neural_artistic_style,andersbll/neural_artistic_style,Python,Neural Artistic Style in Python,471,67,andersbll,Anders Boesen Lindbo Larsen,User,"Montréal, Quebec, Canada",471
microservices,umermansoor/microservices,Python,Example of Microservices written using Flask.,471,37,umermansoor,Umer Mansoor,User,Calgary,471
dask,blaze/dask,Python,Task scheduling and blocked algorithms for parallel processing,468,81,blaze,Blaze,Organization,,576
pytest,pytest-dev/pytest,Python,"The pytest testing tool makes it easy to write small tests, yet scales to support complex functional testing",457,114,pytest-dev,pytest-dev,Organization,,457
x_x,kristianperkins/x_x,Python,excel file viewer cli,459,11,kristianperkins,Kristian Perkins,User,"Brisbane, Australia",459
tpot,rhiever/tpot,Python,A Python tool that automatically creates and optimizes Machine Learning pipelines using genetic programming.,455,41,rhiever,Randy Olson,User,"Philadelphia, PA",2537
cgt,joschu/cgt,Python,Computation Graph Toolkit,452,56,joschu,John Schulman,User,"Berkeley, CA",452
Mobile-Security-Framework-MobSF,ajinabraham/Mobile-Security-Framework-MobSF,Python,"Mobile Security Framework is an intelligent, all-in-one open source mobile application (Android/iOS) automated pen-testing framework capable of performing static and dynamic analysis.",448,182,ajinabraham,Ajin Abraham,User,"Bangalore, India",448
python-goto,snoack/python-goto,Python,"A function decorator, that rewrites the bytecode, to enable goto in Python",440,20,snoack,Sebastian Noack,User,"Düsseldorf, Germany",440
AstroBuild,lhartikk/AstroBuild,Python,Deploy based on the planet alignments,432,18,lhartikk,Lauri Hartikka,User,"Helsinki, Finland",432
freight,getsentry/freight,Python,Freight is a service which aims to make application deployments better.,432,22,getsentry,Sentry,Organization,,682
channels,andrewgodwin/channels,Python,Developer-friendly asynchrony for Django,420,33,andrewgodwin,Andrew Godwin,User,UK,420
itermocil,TomAnthony/itermocil,Python,Create pre-defined window/pane layouts and run commands in iTerm,421,25,TomAnthony,Tom Anthony,User,London,421
borg,borgbackup/borg,Python,Deduplicating backup program with compression and authenticated encryption.,420,44,borgbackup,Borg Backup,Organization,#borgbackup@freenode,420
Passage,IndicoDataSolutions/Passage,Python,A little library for text analysis with RNNs.,419,97,IndicoDataSolutions,indico,Organization,"Boston, MA",419
rc-data,deepmind/rc-data,Python,Question answering dataset featured in 'Teaching Machines to Read and Comprehend,413,50,deepmind,,Organization,,413
ptf,trustedsec/ptf,Python,The Penetration Testers Framework (PTF) is a way for modular support for up-to-date tools.,416,143,trustedsec,trustedsec,User,"Cleveland, Ohio",416
ssbc,78/ssbc,Python,手撕包菜网站,413,356,78,Xiaoxia,User,Earth,413
acd_cli,yadayada/acd_cli,Python,A command line interface and FUSE filesystem for Amazon Cloud Drive,410,56,yadayada,,User,,410
dnstwist,elceef/dnstwist,Python,"Domain name permutation engine for detecting typo squatting, phishing and corporate espionage",403,68,elceef,Marcin Ulikowski,User,Poland,403
hask,billpmurphy/hask,Python,Haskell language features and standard libraries in pure Python.,402,9,billpmurphy,,User,New York,402
Pylsy,Leviathan1995/Pylsy,Python,Pylsy is a simple python library draw tables in the Terminal.Just two lines of code .,389,26,Leviathan1995,Leviathan,User,China,389
slackbot-workout,brandonshin/slackbot-workout,Python,A fun hack that gets Slackbot to force your teammates to work out!,388,85,brandonshin,Brandon Shin,User,"Playa Vista, CA",388
pyparallel,pyparallel/pyparallel,Python,Experimental multicore fork of Python 3,388,23,pyparallel,,Organization,,388
twitter-sort,ExPHAT/twitter-sort,Python,Sort numbers using the Twitter API,386,28,ExPHAT,Aaron Taylor,User,Canada,386
lemur,Netflix/lemur,Python,Repository for the Lemur Certificate Manager,377,36,Netflix,"Netflix, Inc.",Organization,"Los Gatos, California",8686
spotify-ripper,jrnewell/spotify-ripper,Python,Command-line ripper for Spotify,370,52,jrnewell,James Newell,User,United States,370
angr,angr/angr,Python,The next-generation binary analysis platform from UC Santa Barbara's Seclab!,372,48,angr,,Organization,"Santa Barbara, CA, USA",372
qfc,pindexis/qfc,Python,Quick Command-line File Completion,374,11,pindexis,amine hajyoussef,User,Tunisia,618
prettytensor,google/prettytensor,Python,Pretty Tensor: Fluent Networks in TensorFlow,368,23,google,Google,Organization,,70104
torrent-web-tools,bittorrent/torrent-web-tools,Python,,374,47,bittorrent,BitTorrent Inc.,Organization,"San Francisco, CA",374
impacket,CoreSecurity/impacket,Python,Impacket is a collection of Python classes for working with network protocols.,356,100,CoreSecurity,Core Security - Open Source,Organization,,356
python-telegram-bot,python-telegram-bot/python-telegram-bot,Python,A Python wrapper around the Telegram Bot API.,352,99,python-telegram-bot,,Organization,,352
API-Hour,Eyepea/API-Hour,Python,"Write efficient network daemons (HTTP, SSH...) with ease.",352,9,Eyepea,Eyepea - Open Source VoIP,Organization,"Brussels, Belgium",352
magic-wormhole,warner/magic-wormhole,Python,"get things from one computer to another, safely",353,19,warner,Brian Warner,User,"San Francisco, CA",353
faceswap,matthewearl/faceswap,Python,Python script to put facial features from one face onto another,352,96,matthewearl,Matthew Earl,User,,352
serpy,clarkduvall/serpy,Python,ridiculously fast object serialization,349,10,clarkduvall,Clark DuVall,User,,349
ufora,ufora/ufora,Python,"Compiled, automatically parallel Python for data science",347,15,ufora,"Ufora, Inc",Organization,,347
laikaboss,lmco/laikaboss,Python,Laika BOSS: Object Scanning System,344,83,lmco,Lockheed Martin,Organization,,344
smart_open,piskvorky/smart_open,Python,"Utils for streaming large files (S3, HDFS, gzip, bz2...)",344,47,piskvorky,Radim Řehůřek,User,Nakhon Si Thammarat,344
credstash,fugue/credstash,Python,A little utility for managing credentials in the cloud,341,32,fugue,Fugue,Organization,,341
clf,ncrocfer/clf,Python,Command line tool to search and view snippets in the terminal,339,8,ncrocfer,Nicolas Crocfer,User,"France, Lille",339
wharfee,j-bennet/wharfee,Python,A CLI with autocompletion and syntax highlighting for Docker commands.,334,19,j-bennet,Irina Truong,User,"Portland, OR",334
ssh2,soheil/ssh2,Python,SSH for EC2,327,15,soheil,Soheil,User,"San Francisco, CA",327
twittor,PaulSec/twittor,Python,A fully featured backdoor that uses Twitter as a C&C server ,328,78,PaulSec,Paul,User,"London, UK",328
governor,compose/governor,Python,Runners to orchestrate a high-availability PostgreSQL,328,49,compose,Compose,Organization,,328
FeelUOwn,cosven/FeelUOwn,Python,发现音乐,326,102,cosven,cosven,User,,326
redislite,yahoo/redislite,Python,Redis in a python module,326,25,yahoo,Yahoo Inc.,Organization,"Sunnyvale, California",10798
libextract,datalib/libextract,Python,Extract data from websites using basic statistical magic,326,24,datalib,,Organization,,326
binaryninja-python,Vector35/binaryninja-python,Python,Binary Ninja prototype written in Python,325,39,Vector35,VECTOR 35,Organization,Florida,325
pdfx,metachris/pdfx,Python,"Extract all links from a PDF, and optionally download all referenced PDFs",324,23,metachris,Chris Hager,User,"Vienna, Austria",324
sklearn_pycon2015,jakevdp/sklearn_pycon2015,Python,Materials for my Pycon 2015 scikit-learn tutorial.,320,207,jakevdp,Jake Vanderplas,User,Seattle WA,320
palladium,ottogroup/palladium,Python,Framework for setting up predictive analytics services,321,20,ottogroup,Otto Group,Organization,Hamburg,321
starless,rantonels/starless,Python,Starless is a CPU black hole raytracer in numpy suitable for both informative diagrams and decent wallpaper material.,320,26,rantonels,Riccardo Antonelli,User,Padua,320
CredCrack,gojhonny/CredCrack,Python,A fast and stealthy credential harvester,319,48,gojhonny,Jonathan Broche,User,Earth,319
gxgk-wechat-server,paicha/gxgk-wechat-server,Python,莞香广科微信公众号后端,使用 Python、Flask、Redis、MySQL、Celery,316,80,paicha,Gary,User,"Guangzhou, China",316
Nscan,OffensivePython/Nscan,Python,Nscan: Fast internet-wide scanner,316,80,OffensivePython,,User,,316
wydomain,ring04h/wydomain,Python,目标系统信息收集组件,315,234,ring04h,,User,,442
postgresql-metrics,spotify/postgresql-metrics,Python,Tool that extracts and provides metrics on your PostgreSQL database,311,7,spotify,Spotify,Organization,,1430
intro2stats,rouseguy/intro2stats,Python,Introduction to Statistics using Python,310,62,rouseguy,,User,,310
memorpy,n1nj4sec/memorpy,Python,Python library using ctypes to search/edit windows programs memory,308,25,n1nj4sec,,User,France,1446
Source-Code-from-Tutorials,buckyroberts/Source-Code-from-Tutorials,Python,Here is the source code from all of my tutorials.,306,437,buckyroberts,Bucky Roberts,User,"Adams, NY",306
SubredditSimulator,Deimos/SubredditSimulator,Python,An automated subreddit with posts created using markov chains,305,32,Deimos,Chad Birch,User,,305
readAI,ayoungprogrammer/readAI,Python,A simple AI capable of basic reading comprehension,305,44,ayoungprogrammer,Michael Young,User,,305
soccer-cli,architv/soccer-cli,Python,:soccer: Football scores for hackers. :computer: A command line interface for all the football scores.,304,36,architv,Archit Verma,User,"New Delhi, India",765
zhihu-spider,MorganZhang100/zhihu-spider,Python,A web spider for zhihu.com,302,177,MorganZhang100,Morgan Zhang,User,San Francisco,302
stackit,lukasschwab/stackit,Python,Smart StackOverflow queries from the command line:,301,24,lukasschwab,Lukas Schwab,User,"Portland, Oregon",301
continuous-docs,icgood/continuous-docs,Python,Tutorial and example package for continuous documentation generation in Python.,299,13,icgood,Ian Good,User,"Blacksburg, VA",299
DeepDreamAnim,samim23/DeepDreamAnim,Python,DeepDream Animation Helper,297,36,samim23,samim,User,mars,399
SnapchatBot,agermanidis/SnapchatBot,Python,[currently not working after API updates] Python library for building bots that live on Snapchat,299,56,agermanidis,Anastasis Germanidis,User,,781
diaphora,joxeankoret/diaphora,Python,"Diaphora, a program diffing plugin for, at the moment, IDA Pro",299,40,joxeankoret,Joxean,User,Basque Country,299
cnn-vis,jcjohnson/cnn-vis,Python,Use CNNs to generate images,298,44,jcjohnson,Justin,User,,3859
differential-line,inconvergent/differential-line,Python,a generative algorithm,297,9,inconvergent,Anders Hoff,User,"Oslo, Norway",297
CapTipper,omriher/CapTipper,Python,Malicious HTTP traffic explorer,293,60,omriher,Omri Herscovici,User,Israel,293
powerstrip,ClusterHQ/powerstrip,Python,Powerstrip: A tool for prototyping Docker extensions,293,26,ClusterHQ,ClusterHQ,Organization,Worldwide,293
ceryx,sourcelair/ceryx,Python,Dynamic reverse proxy based on NGINX OpenResty with an API,292,32,sourcelair,SourceLair,Organization,"Athens, Greece",292
vocabulary,prodicus/vocabulary,Python,"Python Module to get Meanings, Synonyms and what not for a given word",290,22,prodicus,Tasdik Rahman,User,India,290
safe-commit-hook,jandre/safe-commit-hook,Python,pre-commit hook for Git that checks for suspicious files.,288,15,jandre,Jen Andre,User,"Boston, MA",288
two-scoops-of-django-1.8,twoscoops/two-scoops-of-django-1.8,Python,Tracking thoughts and feature requests for Two Scoops of Django 1.8 in the issue tracker. And the book's code examples are here.,279,46,twoscoops,Two Scoops Press,Organization,,279
plexpy,drzoidberg33/plexpy,Python,A Python based monitoring and tracking tool for Plex Media Server.,254,57,drzoidberg33,,User,Cape Town,254
papers,wecite/papers,Python,writings or translations,278,52,wecite,无微不志,User,,278
telebot,yukuku/telebot,Python,Telegram Bot starter kit. Very easy to install with Google App Engine.,278,110,yukuku,,User,,278
Localize-Swift,marmelroy/Localize-Swift,Python,Swift 2.0 friendly localization and i18n with in-app language switching,277,16,marmelroy,Roy Marmelstein,User,"Paris, France",2442
redispapa,no13bus/redispapa,Python,"another redis monitor by using flask, angular, socket.io",276,53,no13bus,no13bus,User,Beijing,393
django-baker,krisfields/django-baker,Python,"Adds a management command that generates views, forms, urls, admin, and templates based off the contents of models.py",270,19,krisfields,Kris Fields,User,,270
graphene,graphql-python/graphene,Python,GraphQL framework for Python,272,21,graphql-python,GraphQL Python,Organization,,272
CTFd,isislab/CTFd,Python,CTFs as you need them,273,79,isislab,Information Systems and Internet Security (ISIS) Laboratory,Organization,"Six MetroTech Center Brooklyn, NY 11201",273
fuel,mila-udem/fuel,Python,A data pipeline framework for machine learning,272,105,mila-udem,,Organization,,524
ptop,black-perl/ptop,Python,An awesome task manager written in python. :computer:,271,9,black-perl,Ankush Sharma,User,✈,271
voc,pybee/voc,Python, A transpiler that converts Python bytecode into Java bytecode.,268,24,pybee,BeeWare,Organization,,791
baldr,motet/baldr,Python,An open source flight simulator for quadrotors written entirely in Python.,269,20,motet,Samuel Tanner Lindemer,User,"Boston, Massachusetts, USA",269
pigar,Damnever/pigar,Python,":coffee: A fantastic tool to generate requirements file for your Python project, and more than that.",268,18,Damnever,X.C.Dong,User,CS,268
procedural_city_generation,josauder/procedural_city_generation,Python,Procedural City Generation program implemented in Python and Visualized with Blender.,266,26,josauder,,User,,266
auto-sklearn,automl/auto-sklearn,Python,,266,32,automl,,Organization,"Freiburg, Germany",266
Theano-Lights,Ivaylo-Popov/Theano-Lights,Python,Deep learning research framework based on Theano,261,48,Ivaylo-Popov,Ivaylo Popov,User,,261
neural-style,anishathalye/neural-style,Python,Neural style in TensorFlow! • http://www.anishathalye.com/2015/12/19/an-ai-that-can-mimic-any-artist/ • https://git.io/style,263,27,anishathalye,Anish Athalye,User,"Cambridge, MA",1132
weeman,Hypsurus/weeman,Python,:tropical_fish: HTTP Server for phishing in Python,262,66,Hypsurus,,User,Earth,434
yagmail,kootenpv/yagmail,Python,yagmail makes sending emails very easy by doing all the magic for you,260,15,kootenpv,Pascal van Kooten,User,Netherlands,260
healthchecks,healthchecks/healthchecks,Python,Django app which listens for pings and sends alerts when pings are late,258,21,healthchecks,Healthchecks,Organization,,258
machine-learning-samples,awslabs/machine-learning-samples,Python,Sample applications built using Amazon Machine Learning. ,257,89,awslabs,Amazon Web Services - Labs,Organization,"Seattle, WA",2991
gprof2dot,jrfonseca/gprof2dot,Python,Converts profiling output to a dot graph.,257,23,jrfonseca,José Fonseca,User,London,257
calico-docker,projectcalico/calico-docker,Python,Project Calico deployed in a Docker container,258,51,projectcalico,Project Calico,Organization,,258
wechat-deleted-friends,0x5e/wechat-deleted-friends,Python,查看被删的微信好友,255,50,0x5e,gaosen,User,"China,Zhejiang,Hangzhou",255
Pocsuite,knownsec/Pocsuite,Python,Pocsuite 是知道创宇安全研究团队打造的一款基于漏洞与 PoC 的远程漏洞验证框架,Pocsuite is A remote vulnerability test framework developed by Knownsec Security Team.,255,115,knownsec,"Knownsec, Inc.",Organization,,255
fact-extractor,dbpedia/fact-extractor,Python,Fact Extraction from Wikipedia Text,253,42,dbpedia,DBpedia,Organization,,253
deepy,uaca/deepy,Python,Highly extensible deep learning framework,251,41,uaca,,Organization,,251
muffin,klen/muffin,Python,"Muffin is a fast, simple and asyncronous web-framework for Python 3",252,10,klen,Kirill Klenov,User,"Russia, Moscow",400
algorithm-exercise,billryan/algorithm-exercise,Python,Data Structure and Algorithm notes. 数据结构与算法/leetcode/lintcode题解/,251,103,billryan,billryan,User,"Shanghai, China",251
dockerizing-django,realpython/dockerizing-django,Python,,247,50,realpython,Real Python,Organization,,354
summerschool2015,mila-udem/summerschool2015,Python,Slides and exercises for the Deep Learning Summer School 2015 programming tutorials ,252,104,mila-udem,,Organization,,524
pyrobuf,appnexus/pyrobuf,Python,A Cython alternative to Google's Python Protobuf library,250,18,appnexus,AppNexus,Organization,"Manhattan, New York",250
soupy,ChrisBeaumont/soupy,Python,Easier wrangling of web data.,249,15,ChrisBeaumont,Chris Beaumont,User,"San Francisco, CA",249
ahjs5s,lehui99/ahjs5s,Python,,248,36,lehui99,,User,,248
rb,getsentry/rb,Python,Routing and connection management for Redis in Python,250,20,getsentry,Sentry,Organization,,682
lobotomy,rotlogix/lobotomy,Python,Android Reverse Engineering Framework & Toolkit,247,30,rotlogix,rotlogix,User,USA,247
YCM-Generator,rdnetto/YCM-Generator,Python,Generates config files for YouCompleteMe (https://github.com/Valloric/YouCompleteMe),249,25,rdnetto,Reuben D'Netto,User,,249
supporting-python-3,regebro/supporting-python-3,Python,Supporting Python 3,248,13,regebro,Lennart Regebro,User,,248
biicode,biicode/biicode,Python,biicode c/c++ dependency manager,246,33,biicode,biicode,Organization,"Madrid, Spain.",246
django-q,Koed00/django-q,Python,A multiprocessing distributed task queue for Django,242,15,Koed00,Ilan Steemers,User,,242
support,paypal/support,Python,"An evented server framework designed for building scalable and introspectable services, built at PayPal.",245,6,paypal,PayPal,Organization,"San Jose, CA",1587
marker,pindexis/marker,Python,Bookmark your terminal commands.,244,7,pindexis,amine hajyoussef,User,Tunisia,618
pyTelegramBotAPI,eternnoir/pyTelegramBotAPI,Python,Python Telegram bot api.,244,56,eternnoir,FrankWang,User,Taiwan,244
harvey,architv/harvey,Python,:information_desk_person: Harvey is a command line legal expert who manages license for your open source project.,244,9,architv,Archit Verma,User,"New Delhi, India",765
cowrie,micheloosterhof/cowrie,Python,Cowrie SSH Honeypot (based on kippo),240,57,micheloosterhof,Michel Oosterhof,User,DXB,240
platter,mitsuhiko/platter,Python,A useful helper for wheel deployments.,243,20,mitsuhiko,Armin Ronacher,User,Austria / United Kingdom,398
dusty,gamechanger/dusty,Python,Docker-powered development environments,241,5,gamechanger,GameChanger Media,Organization,NYC,241
aggr-inject,rpp0/aggr-inject,Python,Remote frame injection PoC by exploiting a standard compliant A-MPDU aggregation vulnerability in 802.11n networks.,240,37,rpp0,,User,,240
status,avinassh/status,Python,HTTP Status for Humans,239,19,avinassh,,User,,2862
sops,mozilla/sops,Python,"Secrets management stinks, use some sops!",237,8,mozilla,Mozilla,Organization,"Mountain View, California",1905
shoop,shoopio/shoop,Python,E-Commerce Platform,236,74,shoopio,Shoop.io,Organization,Finland & World-Wide,236
Loki,Neo23x0/Loki,Python,Loki - Simple IOC and Incident Response Scanner,234,48,Neo23x0,Florian Roth,User,,234
shadowsocks,ziggear/shadowsocks,Python,backup of https://github.com/shadowsocks/shadowsocks,232,675,ziggear,Ziggear,User,"Beijing, China",232
highlander,chriscannon/highlander,Python,There can be only one... process,235,9,chriscannon,Chris Cannon,User,"Philadelphia, PA, USA",235
tasktiger,closeio/tasktiger,Python,Python task queue. Because celery is gross.,233,4,closeio,Close.io,Organization,"Palo Alto, CA",341
pyformat.info,ulope/pyformat.info,Python,,233,19,ulope,Ulrich Petri,User,"Wiesbaden, Germany",233
draw,jbornschein/draw,Python,Reimplementation of DRAW,228,54,jbornschein,Jörg Bornschein,User,Canada,228
pick,bndw/pick,Python,Minimal password manager for OS X and Linux,228,12,bndw,,User,Seattle,228
GitHack,lijiejie/GitHack,Python,A `.git` folder disclosure exploit,228,132,lijiejie,,User,,364
pyneural,tburmeister/pyneural,Python,,229,15,tburmeister,Taylor Burmeister,User,,229
Data-Structure-Zoo,QuantumFractal/Data-Structure-Zoo,Python,An educational repo for students looking to learn about data structures in Python,228,31,QuantumFractal,Thomas,User,,228
oi,walkr/oi,Python,python library for writing long running processes with a cli interface,227,5,walkr,Tony Walker,User,"Scottsdale, AZ",227
raspberry-pi-dramble,geerlingguy/raspberry-pi-dramble,Python,Drupal HA/HP Cluster using Raspberry Pi's,227,25,geerlingguy,Jeff Geerling,User,"St. Louis, MO",227
gplearn,trevorstephens/gplearn,Python,"Genetic Programming in Python, with a scikit-learn inspired API",226,15,trevorstephens,Trevor Stephens,User,"San Francisco, CA",226
lightning-cd,fouric/lightning-cd,Python,A lightning-quick mc/cd/autojump hybrid,224,7,fouric,,User,"Oregon, USA",224
asyncio,python/asyncio,Python,"This project is the asyncio module for Python 3.3. Since Python 3.4, asyncio is part of the standard library.",223,46,python,Python,Organization,,223
Recipes,Lasagne/Recipes,Python,"Lasagne recipes: examples, IPython notebooks, ...",221,54,Lasagne,Lasagne,Organization,,221
awslogs,jorgebastida/awslogs,Python,AWS CloudWatch logs for Humans™,224,14,jorgebastida,Jorge Bastida,User,"London, UK",224
Watson,TailorDev/Watson,Python,:watch: A wonderful CLI to track your time!,222,15,TailorDev,TailorDev,Organization,"Clermont-Ferrand, France",222
WPA2-HalfHandshake-Crack,dxa4481/WPA2-HalfHandshake-Crack,Python,This is a POC to show it is possible to capture enough of a handshake with a user from a fake AP to crack a WPA2 network without knowing the passphrase of the actual AP.,221,35,dxa4481,Dylan Ayrey,User,USA,221
char-rnn-tensorflow,sherjilozair/char-rnn-tensorflow,Python," Multi-layer Recurrent Neural Networks (LSTM, RNN) for character-level language models in Python using Tensorflow ",212,37,sherjilozair,Sherjil Ozair,User,,212
gef,hugsy/gef,Python,Multi-Architecture GDB Enhanced Features for Exploiters & Reverse-Engineers,220,26,hugsy,crazy rabbidz,User,::1,220
color-thief-py,fengsp/color-thief-py,Python,Grabs the dominant color or a representative color palette from an image. Uses Python and Pillow.,219,14,fengsp,Shipeng Feng,User,,219
chcli,architv/chcli,Python,:computer: Programming challenges for Hackers - A command line tool for all programming challenges,217,13,architv,Archit Verma,User,"New Delhi, India",765
Just-Metadata,ChrisTruncer/Just-Metadata,Python,Just-Metadata is a tool that gathers and analyzes metadata about IP addresses. It attempts to find relationships between systems within a large dataset.,217,33,ChrisTruncer,ChrisTruncer,User,,217
cyborg,orf/cyborg,Python,Python web scraping framework,216,34,orf,,User,,834
fyuneru,sogisha/fyuneru,Python,,215,23,sogisha,,User,,215
zget,nils-werner/zget,Python,Zeroconf based peer to peer file transfer,210,14,nils-werner,Nils Werner,User,,210
dnsdiff,joshenders/dnsdiff,Python,Utility to diff the responses between two nameservers,211,8,joshenders,Josh Enders,User,"San Francisco, California",211
FIR,certsocietegenerale/FIR,Python,Fast Incident Response,211,66,certsocietegenerale,CERT Société Générale,User,,211
py-videocore,nineties/py-videocore,Python,Python library for GPGPU on Raspberry Pi,209,4,nineties,Koichi NAKAMURA,User,"Tokyo, Japan",209
autocomplete,rodricios/autocomplete,Python,Autocomplete - an adult and kid friendly exercise in creating a predictive program,210,19,rodricios,Rodrigo Palacios,User,,210
arctic,manahl/arctic,Python,High performance datastore for time series and tick data,210,48,manahl,Man AHL,Organization,London,210
django-webpack-loader,owais/django-webpack-loader,Python,Transparently use webpack with django,209,18,owais,Owais Lone,User,"New Delhi, India",209
tern-meteor-sublime,Slava/tern-meteor-sublime,Python,Meteor Framework autocompletion for Sublime,210,12,Slava,Slava Kim,User,"Boston, MA / SF, CA",458
recipy,recipy/recipy,Python,Effortless method to record provenance in Python,206,15,recipy,,Organization,,206
waf,waf-project/waf,Python,The Waf build system,208,60,waf-project,,Organization,,208
WatchPeopleCode,WatchPeopleCode/WatchPeopleCode,Python,,208,21,WatchPeopleCode,WatchPeopleCode,Organization,Earth,208
EasyGoAgent,DIYgod/EasyGoAgent,Python,开箱即用&在线更新优质IP的GoAgent,207,72,DIYgod,Wenjie Fan,User,"Wuhan, China",718
calvin-base,EricssonResearch/calvin-base,Python,"Calvin is an application environment that lets things talk to things, among other things.",205,46,EricssonResearch,Ericsson Research,Organization,Sweden,205
conan,conan-io/conan,Python,Conan.io - The open-source C/C++ package manager,202,19,conan-io,Conan.io,Organization,,202
ann-writer,JacobPlaster/ann-writer,Python,An artificial machine learning program that attempts to impersonate the writing style of any given text training set,200,16,JacobPlaster,Jacob Plaster,User,United Kingdom,200
sen,TomasTomecek/sen,Python,Terminal User Interface for docker engine,201,10,TomasTomecek,Tomas Tomecek,User,Brno,201
kaggle-ndsb,benanne/kaggle-ndsb,Python,Winning solution for the National Data Science Bowl competition on Kaggle (plankton classification),201,86,benanne,Sander Dieleman,User,"London, UK",201
flit,takluyver/flit,Python,Simplified packaging of Python modules,200,6,takluyver,Thomas Kluyver,User,,200
pyexperiment,duerrp/pyexperiment,Python,Run experiments with Python - quick and clean.,197,8,duerrp,,User,,197
SickRage,SickRage/SickRage,Python,The new home of the SickRage community,192,71,SickRage,SickRage,Organization,,192
dev-ops-snippets,rabidgremlin/dev-ops-snippets,Python,"Various Vagrant, Ansible etc snippets",195,20,rabidgremlin,,User,,195
hermetic,alehander42/hermetic,Python,"a python-like language with hindley-milner-like type system, which is compiled to c",195,8,alehander42,Alexander Ivanov,User,Sofia ,195
GGTinypng,ylovern/GGTinypng,Python,批量压缩png和jpg图片python脚本,193,35,ylovern,DreamG,User,Bei Jing,296
moolah,arecker/moolah,Python,Our civ inspired budget,191,22,arecker,Alex Recker,User,"Madison, WI",370
JTune,linkedin/JTune,Python,A high precision Java CMS optimizer,190,25,linkedin,LinkedIn,Organization,"Mountain View, CA, USA",2299
autosub,agermanidis/autosub,Python,Command-line utility for auto-generating subtitles for any video file,186,18,agermanidis,Anastasis Germanidis,User,,781
villoc,wapiflapi/villoc,Python,Visualization of heap operations. ,187,27,wapiflapi,Wannes Rombouts,User,France,334
CMSmap,Dionach/CMSmap,Python,,186,65,Dionach,,Organization,,186
imutils,jrosebr1/imutils,Python,"A series of convenience functions to make basic image processing operations such as translation, rotation, resizing, skeletonization, and displaying Matplotlib images easier with OpenCV and Python.",185,29,jrosebr1,Adrian Rosebrock,User,,332
netimpair,urbenlegend/netimpair,Python,An easy-to-use network impairment script for Linux written in Python,186,9,urbenlegend,Benjamin Xiao,User,,186
rext,j91321/rext,Python,Router EXploitation Toolkit - small toolkit for easy creation and usage of various python scripts that work with embedded devices.,182,60,j91321,Ján Trenčanský,User,,182
qsforex,mhallsmoore/qsforex,Python,QuantStart Forex Backtesting and Live Trading,183,105,mhallsmoore,Michael Halls-Moore,User,London,183
img2xls,Dobiasd/img2xls,Python,Convert images to colored cells in an Excel spreadsheet.,182,18,Dobiasd,Tobias Hermann,User,Germany,472
nplusone,jmcarp/nplusone,Python,Auto-detecting the n+1 queries problem in Python,181,4,jmcarp,Joshua Carp,User,,295
onedrive-d,xybu/onedrive-d,Python,A Microsoft OneDrive client on Linux (IN PROGRESS).,179,29,xybu,Xiangyu Bu,User,"West Lafayette, IN",179
armada,armadaplatform/armada,Python,"Complete solution for development, deployment, configuration and discovery of microservices.",180,9,armadaplatform,Armada,Organization,,180
imapy,vladimarius/imapy,Python,Imapy: Imap for Humans,180,13,vladimarius,Vladimir Goncharov,User,"Chisinau, Moldova",180
OnlineJudge,QingdaoU/OnlineJudge,Python,青岛大学 Online Judge【目前正在进行架构改变很大,文档正在更新,敬请期待~】,177,46,QingdaoU,Qingdao University(青岛大学),Organization,Qingdao,177
whatsapp-bot-seed,joaoricardo000/whatsapp-bot-seed,Python,"A small python framework to create a whatsapp bot, with regex-callback message routing.",179,46,joaoricardo000,João Ricardo,User,"Florianópolis, SC - Brazil",179
bennedetto,arecker/bennedetto,Python,the turn-based budget,179,23,arecker,Alex Recker,User,"Madison, WI",370
flask-profiler,muatik/flask-profiler,Python,a flask profiler which watches endpoint calls and tries to make some analysis.,178,13,muatik,Mustafa Atik,User,Istanbul / Turkey,178
scipy_2015_sklearn_tutorial,amueller/scipy_2015_sklearn_tutorial,Python,Scikit-Learn tutorial material for Scipy 2015,177,96,amueller,Andreas Mueller,User,NYC,177
DeepLearningVideoGames,asrivat1/DeepLearningVideoGames,Python,,173,16,asrivat1,Akshay Srivatsan,User,,173
bakerstreet,datawire/bakerstreet,Python,Baker Street is a HAProxy based routing engine for microservice architectures,175,10,datawire,datawire.io,Organization,"Cambridge, MA",175
Ares,sweetsoftware/Ares,Python,Python botnet and backdoor,171,57,sweetsoftware,Kevin LOCATI,User,,171
pullbox,prashanthellina/pullbox,Python,A dead-simple dropbox alternative using Git,175,5,prashanthellina,Prashanth Ellina,User,"Mountain View, California",175
spectra,jsvine/spectra,Python,Easy color scales and color conversion for Python.,174,4,jsvine,Jeremy Singer-Vine,User,,287
memspector,asciimoo/memspector,Python,Inspect memory usage of python functions,174,6,asciimoo,Adam Tauber,User,"Budapest, Hungary",174
OpenDeep,vitruvianscience/OpenDeep,Python,Modular & extensible deep learning framework built on Theano.,171,38,vitruvianscience,Vitruvian Science,User,"San Francisco, CA",171
slack_bot,python-cn/slack_bot,Python,立志成为一个可被调戏的Bot,171,42,python-cn,,Organization,,314
musicbot,szastupov/musicbot,Python,Telegram Music Catalog Bot,171,10,szastupov,Stepan Zastupov,User,"Saint-Petersburg, Russia",282
django-seed,Brobin/django-seed,Python,:seedling: Seed your Django database with fake data,168,9,Brobin,Tobin Brown,User,United States,168
arctic-captions,kelvinxu/arctic-captions,Python,,170,64,kelvinxu,Kelvin Xu,User,"New York City, USA",170
elodie,jmathai/elodie,Python,An EXIF-based photo and video workflow automation tool,166,17,jmathai,Jaisen Mathai,User,"San Francisco / Sunnyvale, CA USA",166
armpwn,saelo/armpwn,Python,Repository to train/learn memory corruption on the ARM platform.,169,31,saelo,Samuel Groß,User,"Karlsruhe, Germany",169
autopwn,nccgroup/autopwn,Python,Specify targets and run sets of tools against them,168,31,nccgroup,NCC Group Plc,Organization,Global,168
ImageColorTheme,rainyear/ImageColorTheme,Python,Extract Color Themes from Images,168,8,rainyear,Yusheng,User,Hangzhou,168
sklearn-deap,rsteca/sklearn-deap,Python,Use evolutionary algorithms instead of gridsearch in scikit-learn,167,12,rsteca,rsteca,User,,167
smbmap,ShawnDEvans/smbmap,Python,SMBMap is a handy SMB enumeration tool,168,33,ShawnDEvans,,User,,168
AndroBugs_Framework,AndroBugs/AndroBugs_Framework,Python,AndroBugs Framework is an efficient Android vulnerability scanner that helps developers or hackers find potential security vulnerabilities in Android applications. No need to install on Windows.,166,46,AndroBugs,Yu-Cheng Lin,User,Taiwan,166
FlappyBird,Max00355/FlappyBird,Python,A flappy bird clone for a speed-programming video. Made this in 72 minutes.,165,60,Max00355,Frankie Primerano,User,,681
build-a-saas-app-with-flask,nickjj/build-a-saas-app-with-flask,Python,Build a SAAS app with Flask and deploy it anywhere with Docker.,164,23,nickjj,Nick Janetakis,User,New York,164
python-gems,RealHacker/python-gems,Python,Beautifully constructed python scripts,163,41,RealHacker,Neo Wang,User,,163
backtrader,mementum/backtrader,Python,Python Backtesting library for trading strategies,163,24,mementum,DRo,User,"Munich, Germany",163
pyserial,pyserial/pyserial,Python,Python serial port access library,162,50,pyserial,pySerial,Organization,,162
GRUV,MattVitelli/GRUV,Python,GRUV is a Python project for algorithmic music generation. ,160,28,MattVitelli,,User,,160
Flask-Blogging,gouthambs/Flask-Blogging,Python,A Markdown Based Python Blog Engine as a Flask Extension.,161,18,gouthambs,Goutham Balaraman,User,"Los Angeles, CA",161
binder,binder-project/binder,Python,System for deploying Jupyter notebooks from GitHub repos via Kubernetes,160,11,binder-project,Binder,Organization,,160
bass,edc/bass,Python,Make Bash utilities usable in Fish shell,160,10,edc,Eddie Cao,User,San Francisco Bay Area,160
py2deb,paylogic/py2deb,Python,Python to Debian package converter,161,5,paylogic,Paylogic,Organization,"Groningen, Netherlands",161
geoplotlib,andrea-cuttone/geoplotlib,Python,python toolbox for visualizing geographical data and making maps,161,16,andrea-cuttone,Andrea Cuttone,User,,161
napalm,spotify/napalm,Python,Network Automation and Programmability Abstraction Layer with Multivendor support,158,42,spotify,Spotify,Organization,,1430
pwndbg,zachriggle/pwndbg,Python,Makes debugging suck less,156,13,zachriggle,Zach Riggle,User,Philadelphia,156
fuzzyfinder,amjith/fuzzyfinder,Python,Fuzzy Finder implemented in Python,158,8,amjith,Amjith Ramanujam,User,United States,158
postgres-toolkit,uptimejp/postgres-toolkit,Python,Postgres Toolkit,158,12,uptimejp,Uptime Technologies,Organization,Japan,286
RoboGif,izacus/RoboGif,Python,A small utility to record Android device screen to a GIF,158,8,izacus,Jernej Virag,User,"Ljubljana, Slovenia",158
xs-vm,GedRap/xs-vm,Python,eXtremely small virtual machine -- for education purposes :),158,8,GedRap,Gediminas Rapolavicius,User,Lithuania,158
dodo,atmb4u/dodo,Python,Task Management for Hackers,157,11,atmb4u,Anoop Thomas Mathew,User,"Bangalore | Cochin, India ",157
scrapyrt,scrapinghub/scrapyrt,Python,Scrapy realtime,157,24,scrapinghub,Scrapinghub,Organization,"Cork, Ireland",157
ansible-rails,j-mcnally/ansible-rails,Python,A collection of playbooks for getting your rails stack up and running fast!,156,9,j-mcnally,Justin McNally,User,"Chicago, IL",156
scrapyz,ssteuteville/scrapyz,Python,'Scrape Easy' - an extension of the Scrapy framework.,156,9,ssteuteville,Shane,User,California,156
Flask-Scaffold,Leo-G/Flask-Scaffold,Python,"Prototype Database driven CRUD dashboards and RESTFUL API's in Python 3, Flask and Angularjs",125,19,Leo-G,Leo G,User,,1034
weixin-knife,Skycrab/weixin-knife,Python,weixin python framework,156,58,Skycrab,skycrab,User,China Beijing,156
DAT7,justmarkham/DAT7,Python,"General Assembly's Data Science course in Washington, DC",155,99,justmarkham,Kevin Markham,User,"Washington, DC, USA",390
python-regex-scanner,mitsuhiko/python-regex-scanner,Python,Demo of how to use the underlying SRE engine to build a regex scanner,155,7,mitsuhiko,Armin Ronacher,User,Austria / United Kingdom,398
SmartQQBot,Yinzo/SmartQQBot,Python,基于SmartQQ的自动机器人框架,154,73,Yinzo,Yinzo,User,China.Guangzhou,154
pyside2,PySide/pyside2,Python,,155,15,PySide,PySide,Organization,,155
diffmem,DoctorTeeth/diffmem,Python,"Reference implementations of neural networks with differentiable memory mechanisms (NTM, Stack RNN, etc.)",155,9,DoctorTeeth,Augustus Odena,User,SF,155
testinfra,philpep/testinfra,Python,Testinfra test your infrastructures,153,20,philpep,Philippe Pepiot,User,Toulouse (France),153
videodigest,agermanidis/videodigest,Python,Automatic video summaries,153,8,agermanidis,Anastasis Germanidis,User,,781
youtube-upload,tokland/youtube-upload,Python,Upload videos to Youtube from the command line,150,38,tokland,Arnau Sanchez,User,Barcelona,150
disrupt,dellis23/disrupt,Python,A python 'tool' for 'interacting' with the terminals of 'friends' and 'colleagues'.,152,7,dellis23,Dan,User,,1024
spotify2am,simonschellaert/spotify2am,Python,Import your Spotify library into Apple Music,152,29,simonschellaert,Simon Schellaert,User,"Ghent, Belgium",152
ping-me,OrkoHunter/ping-me,Python,A cross platform personalized Ping,150,7,OrkoHunter,Himanshu Mishra,User,"Kharagpur, India",150
caffe-tensorflow,ethereon/caffe-tensorflow,Python,Caffe models in TensorFlow,149,19,ethereon,Saumitro Dasgupta,User,"Stanford, CA",149
py-faster-rcnn,rbgirshick/py-faster-rcnn,Python,Faster R-CNN (Python implementation) -- see https://github.com/ShaoqingRen/faster_rcnn for the official MATLAB version,150,97,rbgirshick,Ross Girshick,User,,731
rbac-23andme-oauth2,offapi/rbac-23andme-oauth2,Python,,150,26,offapi,,Organization,,150
Sublist3r,aboul3la/Sublist3r,Python,Fast subdomains enumeration tool for penetration testers,139,56,aboul3la,Ahmed Aboul-Ela,User,Egypt,139
cli-github,harshasrinivas/cli-github,Python,Github within the CLI :computer:,151,16,harshasrinivas,Harshavardhan,User,"Chennai, India",151
graphqllib,dittos/graphqllib,Python,GraphQL implementation for Python,150,10,dittos,Taeho Kim,User,"Seoul, Korea",150
cnn-text-classification-tf,dennybritz/cnn-text-classification-tf,Python,Convolutional Neural Network for Text Classification in Tensorflow,147,46,dennybritz,Denny Britz,User,"Stanford, CA",1180
katoolin,LionSec/katoolin,Python,Automatically install all Kali linux tools,146,52,LionSec,,User,Spain,146
mailthon,eugene-eeo/mailthon,Python,elegant email sending for Python,150,14,eugene-eeo,Eeo Jun,User,Malaysia,288
dict_uk,arysin/dict_uk,Python,Project to generate POS tag dictionary for Ukrainian language,148,17,arysin,,User,,148
rietveld,rietveld-codereview/rietveld,Python,"Code Review, hosted on Google App Engine",146,50,rietveld-codereview,,Organization,,146
celery-once,TrackMaven/celery-once,Python,Celery Once allows you to prevent multiple execution and queuing of celery tasks.,149,13,TrackMaven,,Organization,"Washington, D.C",149
chainer-DCGAN,mattya/chainer-DCGAN,Python,Chainer implementation of Deep Convolutional Generative Adversarial Network,139,18,mattya,,User,,284
ramses,brandicted/ramses,Python,RAML + Elasticsearch / Postgres / Mongodb + Pyramid = RESTful API,146,14,brandicted,Brandicted,Organization,Montreal,146
invatar,Bekt/invatar,Python,Invatar is a free service for generating fully customizable avatars with initials. ,148,4,Bekt,Kanat Bekt,User,"Fayetteville, AR",148
scapy,phaethon/scapy,Python,Network packet and pcap file crafting/sniffing/manipulation/visualization security tool (based on scapy) with python3 compatibility,146,30,phaethon,Eriks Dobelis,User,,146
py-frameworks-bench,klen/py-frameworks-bench,Python,Another benchmark for some python frameworks,148,11,klen,Kirill Klenov,User,"Russia, Moscow",400
dockerflix,trick77/dockerflix,Python,"Docker-based SNI proxy for watching U.S. Netflix, Hulu, MTV, Vevo, Crackle, ABC, NBC, PBS...",148,26,trick77,,User,Schwiiz,148
numpile,sdiehl/numpile,Python,A tiny 1000 line LLVM-based numeric specializer for scientific Python code.,146,22,sdiehl,Stephen Diehl,User,"Boston, MA",1124
Neural-Networks-Demystified,stephencwelch/Neural-Networks-Demystified,Python,Supporting code for short YouTube series Neural Networks Demystified. ,147,51,stephencwelch,Stephen,User,"Atlanta, Ga",147
bat-country,jrosebr1/bat-country,Python,"A lightweight, extendible, easy to use Python package for deep dreaming and image generation with Caffe and CNNs.",147,29,jrosebr1,Adrian Rosebrock,User,,332
ansiblebook,lorin/ansiblebook,Python,Code samples from the book 'Ansible: Up and Running',146,33,lorin,Lorin Hochstein,User,"San Jose, CA",146
spatial-media,google/spatial-media,Python,Specifications and tools for 360º video.,146,36,google,Google,Organization,,70104
rcontrol,parkouss/rcontrol,Python,python library to execute asynchronous remote tasks with ssh,146,10,parkouss,Julien Pagès,User,France,146
Xunlei-FastDick,fffonion/Xunlei-FastDick,Python,迅雷快鸟,146,40,fffonion,Alliumcepa Triplef,User,Boshidun,146
flask-talisman,GoogleCloudPlatform/flask-talisman,Python,HTTP security headers for Flask,146,3,GoogleCloudPlatform,Google Cloud Platform,Organization,,265
netflix-proxy,ab77/netflix-proxy,Python,Docker packaged smart DNS proxy to watch Netflix out of region using BIND and sniproxy.,144,37,ab77,Anton Belodedenko,User,United Kingdom,144
learn-python3,michaelliao/learn-python3,Python,Learn Python 3 Sample Code,144,207,michaelliao,Michael Liao,User,"Beijing, China",144
chainer-gogh,mattya/chainer-gogh,Python,,145,15,mattya,,User,,284
funcfinder,alexmojaki/funcfinder,Python,A tool for automatically solving problems of the form 'I need a python function that does X.',144,6,alexmojaki,,User,,144
shadowsocks_analysis,lao605/shadowsocks_analysis,Python,shadowsocks sourcecode with my own comment,142,93,lao605,Frank,User,"Guangzhou, Guangdong Province, China",142
stackanswers.vim,james9909/stackanswers.vim,Python,Vim plugin to fetch answers from Stack Overflow,144,11,james9909,James Wang,User,Stuyvesant High School,144
memegen,jacebrowning/memegen,Python,Generates memes from URLs.,144,23,jacebrowning,Jace Browning,User,"Grand Rapids, MI",144
layered,danijar/layered,Python,Clean implementation of feed forward neural networks,143,8,danijar,Danijar Hafner,User,"Berlin, Germany",143
pappy-proxy,roglew/pappy-proxy,Python,An intercepting proxy for web application testing,124,7,roglew,,User,,124
icml2015_papers,KirkHadley/icml2015_papers,Python,Links to ICML 2015 papers available on arxiv,143,22,KirkHadley,Kirk Hadley,User,,143
learn-python,tanteng/learn-python,Python,学习python3小脚本,143,65,tanteng,Tony,User,Shenzhen,143
thingscoop,agermanidis/thingscoop,Python,Search and filter videos based on objects that appear in them using convolutional neural networks,143,16,agermanidis,Anastasis Germanidis,User,,781
zerotest,jjyr/zerotest,Python,Lazy guy's testing tool. Capture HTTP traffic and generate python integration test for your API server.,143,7,jjyr,Hari Jiang,User,"Shanghai, China",271
libact,ntucllab/libact,Python,Pool-based active learning in Python,143,12,ntucllab,NTUCSIE CLLab,Organization,Taiwan,143
windows-privesc-check,pentestmonkey/windows-privesc-check,Python,Standalone Executable to Check for Simple Privilege Escalation Vectors on Windows Systems,142,39,pentestmonkey,,User,,244
quodlibet,quodlibet/quodlibet,Python,"An open-source music library manager / player for Linux, Windows, and OS X",142,30,quodlibet,Quod Libet,Organization,,142
CCrush-Bot,AlexEne/CCrush-Bot,Python,A python bot that plays candy crush,142,16,AlexEne,Alexandru Ene,User,Bucharest,142
proof,onyxfish/proof,Python,"A Python library for creating fast, repeatable and self-documenting data analysis pipelines.",141,10,onyxfish,Christopher Groskopf,User,"Tyler, TX || Washington, DC",141
QQParking,zeruniverse/QQParking,Python,"QQBot, QQ机器人,用于QQ挂机。自动回复私聊及临时对话,记录留言并转发至邮箱,账号(被踢)下线邮件提醒。Python版本及windows 32位EXE",140,57,zeruniverse,Jeffery Zhao,User,Vancouver,271
github_commit_crawler,jfalken/github_commit_crawler,Python,Tool used to continuously monitor a Github org for mistaken public commits,140,22,jfalken,Chris Sandulow,User,,140
hangoutsbot,hangoutsbot/hangoutsbot,Python,Google Hangouts bot,140,92,hangoutsbot,hangoutsbot,Organization,,140
neural-art-tf,woodrush/neural-art-tf,Python,'A neural algorithm of Artistic style' in tensorflow,137,16,woodrush,woodrush,User,,137
ThreatExchange,facebook/ThreatExchange,Python,Share threat information with vetted partners,140,53,facebook,Facebook,Organization,"Menlo Park, California",61260
ansible-cmdb,fboender/ansible-cmdb,Python,Generate host overview from ansible fact gathering output,137,22,fboender,Ferry Boender,User,,137
vprof,nvdv/vprof,Python,Visual Python profiler,137,10,nvdv,,User,,137
iOS-private-api-checker,hustcc/iOS-private-api-checker,Python,iOS-private-api-checker 苹果iOS私有API检查工具 Developer tool to scan iOS apps for private API usage before submitting to Apple,138,33,hustcc,atool,User,China Hanzhou,588
py-googletrans,ssut/py-googletrans,Python,Free Unofficial Google Translate API for Python. Translates totally free of charge.,137,10,ssut,SuHun Han,User,Republic of Korea,137
flowblade,jliljebl/flowblade,Python,Automatically exported from code.google.com/p/flowblade,136,15,jliljebl,,User,,136
arxiv-sanity-preserver,karpathy/arxiv-sanity-preserver,Python,Quick web interface for browsing recent arxiv submissions,137,26,karpathy,Andrej,User,Stanford,2688
pycon-pandas-tutorial,brandon-rhodes/pycon-pandas-tutorial,Python,PyCon 2015 Pandas tutorial materials,136,95,brandon-rhodes,Brandon Rhodes,User,"Bluffton, Ohio",136
subDomainsBrute,lijiejie/subDomainsBrute,Python,A simple and fast sub domain brute tool for pentesters,136,120,lijiejie,,User,,364
btproxy,conorpp/btproxy,Python,Man in the Middle analysis tool for Bluetooth.,136,16,conorpp,Conor Patrick,User,,136
Twitch-plays-LSD-neural-net,317070/Twitch-plays-LSD-neural-net,Python,,136,22,317070,Jonas Degrave,User,,136
webXray,timlib/webXray,Python,webXray is a tool for detecting third-party HTTP requests and matching them to the companies which receive user data.,136,10,timlib,Tim Libert,User,NYC/PHL/BUD/BER/ETC,136
php-malware-finder,nbs-system/php-malware-finder,Python,Detect potentially malicious PHP files,135,36,nbs-system,NBS System,Organization,"Paris, France",135
eralchemy,Alexis-benoist/eralchemy,Python,Entity Relation Diagrams generation tool,131,6,Alexis-benoist,Alexis Benoist,User,Paris,131
ripozo,vertical-knowledge/ripozo,Python,A tool for quickly creating REST/HATEOAS/Hypermedia APIs in python,135,10,vertical-knowledge,Vertical Knowledge,Organization,,135
python-periphery,vsergeev/python-periphery,Python,"A pure Python 2/3 library for peripheral I/O (GPIO, SPI, I2C, MMIO, Serial) in Linux.",134,11,vsergeev,Vanya Sergeev,User,"San Mateo, CA",134
reinforce,NathanEpstein/reinforce,Python,simple reinforcement learning in Python ,133,23,NathanEpstein,Nathan Epstein,User,"New York, NY",815
gitinspector,ejwa/gitinspector,Python,:bar_chart: The statistical analysis tool for git repositories,132,30,ejwa,Ejwa Software,Organization,"Gothenburg, Sweden",132
Bluto,RandomStorm/Bluto,Python,"Recon, Subdomain Bruting, Zone Transfers",129,32,RandomStorm,RandomStorm,Organization,UK,129
QQRobot,zeruniverse/QQRobot,Python,"QQBot, QQ机器人(群聊小黄鸡) LINUX挂机版, SmartQQ协议。Python版本及windows 32位EXE",131,75,zeruniverse,Jeffery Zhao,User,Vancouver,271
elephas,maxpumperla/elephas,Python,Distributed Deep learning with Keras & Spark,130,22,maxpumperla,Max Pumperla,User,Hamburg,130
OnePlusTwoBot,JakeCooper/OnePlusTwoBot,Python,A series of exploits used to jump the OnePlus reservation queue.,131,115,JakeCooper,Jake Cooper,User,Victoria BC,131
cron-metrics,manugarri/cron-metrics,Python,Implementation of a monitoring system of interval cron tasks in Python,131,8,manugarri,Manuel Garrido,User,The Interwebs,131
grc,garabik/grc,Python,generic colouriser,130,19,garabik,Radovan Garabík,User,,130
CheungSSH,zhangqichuan/CheungSSH,Python,自动化运维工具,130,87,zhangqichuan,,User,,130
django-test-plus,revsys/django-test-plus,Python,Useful additions to Django's default TestCase,130,9,revsys,Frank Wiles,Organization,"Lawrence, KS",130
lsbaws,rspivak/lsbaws,Python,Let's Build A Web Server,126,37,rspivak,Ruslan Spivak,User,"Toronto, Canada",126
clingkernel,minrk/clingkernel,Python,C++ Kernel for Jupyter with Cling,130,16,minrk,Min RK,User,"Oslo, Norway",130
supycache,lonetwin/supycache,Python,Simple yet capable caching decorator for python,131,3,lonetwin,Steven Fernandez,User,Singapore,131
noto-emoji,googlei18n/noto-emoji,Python,Noto Emoji fonts,113,14,googlei18n,Google Internationalization,Organization,,331
lisa.py,ant4g0nist/lisa.py,Python,-An Exploit Dev Swiss Army Knife. ,129,14,ant4g0nist,Chaithu,User,,129
lector,zdenop/lector,Python,Automatically exported from code.google.com/p/lector,129,6,zdenop,zdenop,User,,129
smalisca,dorneanu/smalisca,Python,Static Code Analysis for Smali files,128,28,dorneanu,Victor Dorneanu,User,Berlin,128
weakfilescan,ring04h/weakfilescan,Python,动态多线程敏感信息泄露检测工具,127,141,ring04h,,User,,442
fpage,fy0/fpage,Python,"Tornado project generator. You can start a project with tornado, mako/jinjia2 and sqlalchemy/peewee in one minute.",126,18,fy0,fy,User,China,126
receipt-parser,mre/receipt-parser,Python,A fuzzy (supermarket) receipt parser written in Python using tesseract,127,12,mre,Matthias Endler,User,"Düsseldorf, Germany",127
jiphy,timothycrosley/jiphy,Python,Your client side done in a jiphy. Python to JavaScript 2-way converter.,127,9,timothycrosley,Timothy Edmund Crosley,User,Seattle,1011
rethinkdb-stream,AtnNn/rethinkdb-stream,Python,Proof of concept for streaming binary data using RethinkDB changes,126,3,AtnNn,Etienne Laurin,User,"Charlotte, NC",126
ARDT,m57/ARDT,Python,Akamai Reflective DDoS Tool - Attack the origin host behind the Akamai Edge hosts and DDoS protection offered by Akamai services.,126,33,m57,Mitch \x90,User,somewhere in space,764
seq2seq,farizrahman4u/seq2seq,Python,Sequence to Sequence Learning with Keras,123,28,farizrahman4u,Fariz Rahman,User,India,123
SPF,tatanus/SPF,Python,SpeedPhishing Framework,126,38,tatanus,Adam Compton,User,"Clinton, TN 37716",126
atomic,projectatomic/atomic,Python,Atomic Run Tool for installing/running/managing container images.,126,71,projectatomic,Project Atomic,Organization,,264
pefile,erocarrera/pefile,Python,Automatically exported from code.google.com/p/pefile,125,68,erocarrera,Ero Carrera,User,Zurich,125
sqlchop,chaitin/sqlchop,Python,A novel SQL injection detection engine built on top of SQL tokenizing and syntax analysis.,125,28,chaitin,Chaitin Tech,Organization,Beijing,125
neupy,itdxer/neupy,Python,NeuPy is a Python library for Artificial Neural Networks.,126,12,itdxer,Yurii Shevchuk,User,,126
TermFeed,iamaziz/TermFeed,Python,A simple terminal feed reader.,124,3,iamaziz,Aziz Alto,User,NYC,124
Propel,mardix/Propel,Python,Deploy multiple Flask/Django (or PHP/HTML) applications on a single server ,124,2,mardix,Mardix,User,,234
python-scraping,REMitchell/python-scraping,Python,Code samples from the book Web Scraping with Python http://shop.oreilly.com/product/0636920034391.do,123,110,REMitchell,REMitchell,User,"Needham, MA",123
retext,retext-project/retext,Python,ReText: Simple but powerful editor for Markdown and reStructuredText,120,16,retext-project,ReText,Organization,,120
pr0cks,n1nj4sec/pr0cks,Python,python script setting up a transparent proxy to forward all TCP and DNS traffic through a SOCKS / SOCKS5 or HTTP(CONNECT) proxy using iptables -j REDIRECT target,124,26,n1nj4sec,,User,France,1446
pybluez,karulis/pybluez,Python,Bluetooth Python extension module,123,39,karulis,,User,,123
OpenBazaar-Server,OpenBazaar/OpenBazaar-Server,Python,Server daemon for communication between client and OpenBazaar network,119,49,OpenBazaar,OpenBazaar,Organization,everywhere,119
MFFA,fuzzing/MFFA,Python,Media Fuzzing Framework for Android,122,51,fuzzing,,User,,122
Xiaomi_Yi,deltaflyer4747/Xiaomi_Yi,Python,Xiaomi Yi Camera settings via python (PC) script,122,34,deltaflyer4747,,User,,122
sketch-rnn,hardmaru/sketch-rnn,Python,Multilayer LSTM and Mixture Density Network for modelling path-level SVG Vector Graphics data in TensorFlow,122,23,hardmaru,hardmaru,User,Tokyo,231
PortDog,puniaze/PortDog,Python,,122,34,puniaze,,User,"Azerbaijan, Baku",122
ZIB-Trojan,whitepacket/ZIB-Trojan,Python,The Open Tor Botnet (ZIB); Python-based forever-FUD IRC Trojan,121,41,whitepacket,WhitePacket,User,"Calgary, Canada",121
nba_py,seemethere/nba_py,Python,Python client for NBA statistics located at stats.nba.com,121,33,seemethere,Elias Uriegas,User,US,121
aliyun-cli,aliyun/aliyun-cli,Python,,121,53,aliyun,,Organization,,121
jsl,aromanovich/jsl,Python,A Python DSL for describing JSON schemas,121,8,aromanovich,Anton Romanovich,User,"Russia, Yekaterinburg",121
seria,rtluckie/seria,Python,,120,11,rtluckie,Ryan Luckie,User,,120
Beehive,n0tr00t/Beehive,Python,"Beehive is an open-source vulnerability detection framework based on Beebeeto-framework. Security researcher can use it to find vulnerability, exploits, subsequent attacks, etc.",120,44,n0tr00t,n0tr00t security team,Organization,China,333
useless-websites,Feiox/useless-websites,Python,Collect garbage website on the internet,116,18,Feiox,Feiox,User,"Nanjing, China",116
Malfunction,Dynetics/Malfunction,Python,Malware Analysis Tool using Function Level Fuzzy Hashing,119,19,Dynetics,,Organization,"Huntsville, AL",119
pytci,cheery/pytci,Python,Python Compiler Infrastructure,119,7,cheery,Henri Tuhola,User,Finland,119
ladder,CuriousAI/ladder,Python,Ladder network is a deep learning algorithm that combines supervised and unsupervised learning,119,40,CuriousAI,,Organization,,119
orthographic-pedant,thoppe/orthographic-pedant,Python,Correcting common typos in GitHub one pull request at a time.,119,7,thoppe,Travis Hoppe,User,,119
hypergrad,HIPS/hypergrad,Python,Exploring differentiation with respect to hyperparameters,119,15,HIPS,Harvard Intelligent Probabilistic Systems Group,Organization,"Harvard University, Cambridge, MA",119
dl4mt-material,kyunghyuncho/dl4mt-material,Python,,118,45,kyunghyuncho,Kyunghyun Cho,User,Canada,118
ricedb,install-logos/ricedb,Python,"A simple, portable configuration file manager",118,12,install-logos,,Organization,,118
ezcf,laike9m/ezcf,Python,Import configuration file for Pythonista,118,9,laike9m,Muromi Rikka,User,China,118
main,s3ql/main,Python,a full featured file system for online data storage,117,6,s3ql,,Organization,,117
arrayfire-python,arrayfire/arrayfire-python,Python,Python bindings for ArrayFire: A general purpose GPU library.,117,15,arrayfire,ArrayFire,Organization,"Atlanta, GA, USA",117
ohmyrepo,no13bus/ohmyrepo,Python,"use webhook to analysis that who star your repository, where are they and show the top 5 followers. And you can fellow some users.",117,13,no13bus,no13bus,User,Beijing,393
tlsfuzzer,tomato42/tlsfuzzer,Python,TLS test suite and fuzzer,117,11,tomato42,Hubert Kario,User,"Brno, Czech Republic",117
ngdevkit,dciabrin/ngdevkit,Python,Open source development for Neo-Geo,117,8,dciabrin,Damien Ciabrini,User,"Mouans-Sartoux, France",117
visual-qa,avisingh599/visual-qa,Python,Keras-based LSTM/CNN models for Visual Question Answering,117,26,avisingh599,Avi Singh,User,"Kanpur, India",117
vm,rancher/vm,Python,Package and Run Virtual Machines as Docker Containers,117,29,rancher,Rancher,Organization,,2376
ioc_parser,armbues/ioc_parser,Python,Tool to extract indicators of compromise from security reports in PDF format,117,38,armbues,,User,,117
ScratchABit,pfalcon/ScratchABit,Python,Easily retargetable and hackable interactive disassembler with IDAPython-compatible plugin API,116,11,pfalcon,Paul Sokolovsky,User,,116
imagr,grahamgilbert/imagr,Python,,115,21,grahamgilbert,Graham Gilbert,User,"London, UK",115
oscrypto,wbond/oscrypto,Python,"Compiler-free Python crypto library backed by the OS, supporting CPython and PyPy",115,5,wbond,Will Bond,User,"Newbury, MA",115
ipyparallel,ipython/ipyparallel,Python,Interactive Parallel Computing in Python,113,49,ipython,IPython: interactive computing in Python,Organization,,239
lasagne-draw,skaae/lasagne-draw,Python,Implementation of the DRAW network in lasagne,114,28,skaae,Søren Kaae Sønderby,User,Denmark,114
markovify,jsvine/markovify,Python,"A simple, extensible Markov chain generator.",113,18,jsvine,Jeremy Singer-Vine,User,,287
discord.py,Rapptz/discord.py,Python,An API wrapper for Discord written in Python.,114,35,Rapptz,Danny,User,,114
flask-apispec,jmcarp/flask-apispec,Python,,114,4,jmcarp,Joshua Carp,User,,295
rnn-tutorial-rnnlm,dennybritz/rnn-tutorial-rnnlm,Python,"Recurrent Neural Network Tutorial, Part 2 - Implementing a RNN in Python and Theano",113,46,dennybritz,Denny Britz,User,"Stanford, CA",1180
Kaggler,jeongyoonlee/Kaggler,Python,Code for Kaggle Data Science Competitions,113,29,jeongyoonlee,Jeong-Yoon Lee,User,"Los Angeles, CA",113
pythalesians,thalesians/pythalesians,Python,"Python Open Source Financial Library to backtest trading strategies, plot charts, seamlessly download market data, analyse market patterns and much more!",114,31,thalesians,Thalesians,Organization,London,114
pygogo,reubano/pygogo,Python,A Python logging library with super powers,113,2,reubano,Reuben Cummings,User,Tanzania,113
make-deb,nylas/make-deb,Python,Tool for building debian packages from your python projects,112,10,nylas,Nylas,Organization,"San Francisco, California",346
hashfs,dgilland/hashfs,Python,A content-addressable file management system for Python.,112,13,dgilland,Derrick Gilland,User,,112
orator,sdispater/orator,Python,The Orator ORM provides a simple yet beautiful ActiveRecord implementation.,112,11,sdispater,Sébastien Eustace,User,,112
dockerize,larsks/dockerize,Python,A tool for creating minimal docker images from dynamic ELF binaries.,112,9,larsks,Lars Kellogg-Stedman,User,,112
zerodb-server,zero-db/zerodb-server,Python,ZeroDB server and client-side example of using it,111,10,zero-db,ZeroDB,Organization,San Francisco Bay Area,1322
webapp-checklist,dhilipsiva/webapp-checklist,Python,Technical details that a programmer of a web application should consider before making the site public.,111,6,dhilipsiva,dhilipsiva,User,Bangalore,111
aiotg,szastupov/aiotg,Python,Asynchronous Python framework for building Telegram bots,111,6,szastupov,Stepan Zastupov,User,"Saint-Petersburg, Russia",282
aiomysql,aio-libs/aiomysql,Python,aiomysql is a library for accessing a MySQL database from the asyncio,111,13,aio-libs,aio-libs,Organization,,111
flask-cloudy,mardix/flask-cloudy,Python,"A Flask extension to access, upload, download, save and delete files on cloud storage providers such as: AWS S3, Google Storage, Microsoft Azure, Rackspace Cloudfiles, and even Local file system",110,5,mardix,Mardix,User,,234
bulby,sontek/bulby,Python,Python library for managing the phillips hue lightbulb,110,8,sontek,John Anderson,User,"Palo Alto, CA",110
taurus,Blazemeter/taurus,Python,Automation-friendly framework for Continuous Testing by,109,26,Blazemeter,BlazeMeter,Organization,"NY, USA",109
interstellar,meduza-corp/interstellar,Python,Google Play Store reviews to Slack,109,29,meduza-corp,Meduza,Organization,"Riga, Latvia",109
vaas,allegro/vaas,Python,VaaS - Varnish as a Service,109,3,allegro,allegro.tech,Organization,Poland,255
Easy-Card,x43x61x69/Easy-Card,Python,悠遊卡線上餘額查詢系統。,109,22,x43x61x69,Zhi-Wei Cai,User,,109
varnishtuner.py,unixy/varnishtuner.py,Python,Varnish Cache Tuner,108,5,unixy,UNIXy,User,,108
pwnbin,kahunalu/pwnbin,Python,Python Pastebin Webcrawler that returns list of public pastebins containing keywords,108,19,kahunalu,,User,,108
redis-hashring,closeio/redis-hashring,Python,A Python library that implements a consistent hash ring for building distributed apps,108,3,closeio,Close.io,Organization,"Palo Alto, CA",341
castra,blaze/castra,Python,partitioned storage system based on blosc,108,12,blaze,Blaze,Organization,,576
dmusic-plugin-NeteaseCloudMusic,wu-nerd/dmusic-plugin-NeteaseCloudMusic,Python,NeteaseCloudMusic Plugin for Deepin Music Player,108,33,wu-nerd,wu.nerd,User,,108
pywinauto,pywinauto/pywinauto,Python,Windows GUI Automation with Python (64-bit Py3 compatible),107,33,pywinauto,,Organization,,107
snaql,semirook/snaql,Python,Raw *QL queries from Python without pain,107,8,semirook,Roman Zaiev,User,Kyiv,107
EvilAP_Defender,moha99sa/EvilAP_Defender,Python,Protect your Wireless Network from Evil Access Points!,107,27,moha99sa,Mohamed Idris,User,,107
VolDiff,aim4r/VolDiff,Python,VolDiff: Malware Memory Footprint Analysis based on Volatility,107,16,aim4r,aim4r,User,,107
orchestrating-docker,realpython/orchestrating-docker,Python,,107,48,realpython,Real Python,Organization,,354
django-rest-framework-social-oauth2,PhilipGarnero/django-rest-framework-social-oauth2,Python,python-social-auth and oauth2 support for django-rest-framework,107,20,PhilipGarnero,Philip Garnero,User,France,107
jupyter,jupyter/jupyter,Python,"Jupyter metapackage for installation, docs and chat",107,61,jupyter,Project Jupyter,Organization,The Future,707
twitter-sent-dnn,xiaohan2012/twitter-sent-dnn,Python,Deep Neural Network for Sentiment Analysis on Twitter,106,28,xiaohan2012,Xiao Han,User,"Helsinki, Finland",106
fullerite,Yelp/fullerite,Python,Fullerite is a daemon which collect metrics periodically from various sources and sends them to different metric stores,106,23,Yelp,Yelp.com,Organization,San Francisco,884
ButterflyNet,SunDwarf/ButterflyNet,Python,ButterflyNet - A simpler networking library,106,4,SunDwarf,Isaac Dickinson,User,"Dartford, UK",106
patroni,zalando/patroni,Python, Runners to orchestrate a high-availability PostgreSQL,105,11,zalando,Zalando SE,Organization,Berlin,105
onedrive-sdk-python,OneDrive/onedrive-sdk-python,Python,OneDrive SDK for Python! https://dev.onedrive.com ,105,12,OneDrive,OneDrive,Organization,"Redmond, WA",105
myhdl,jandecaluwe/myhdl,Python,The MyHDL development repository,105,41,jandecaluwe,,User,,105
ascii_art,jontonsoup4/ascii_art,Python,Converts images to ASCII art,105,3,jontonsoup4,Jonathan Reed,User,"Nashville, TN",105
twitter-contest-bot,kurozael/twitter-contest-bot,Python,Will poll for Retweet Contests and retweet them. Inspired by http://www.hscott.net/twitter-contest-winning-as-a-service/,104,52,kurozael,Conna Wiles,User,United Kingdom,104
Kaggle-Ensemble-Guide,MLWave/Kaggle-Ensemble-Guide,Python,Code for the Kaggle Ensembling Guide Article on MLWave,103,69,MLWave,,User,,103
michi,pasky/michi,Python,Minimalistic Go MCTS Engine,103,11,pasky,Petr Baudis,User,"Prague, Czech Republic",103
exploits,XiphosResearch/exploits,Python,Miscellaneous exploit code,103,55,XiphosResearch,Xiphos Research Ltd.,Organization,United Kingdom,103
afl-utils,rc0r/afl-utils,Python,"Utilities for automated crash sample processing/analysis, easy afl-fuzz job management and corpus optimization",102,13,rc0r,rc0r,User,Inda Woods,102
zufang,zhaoxinwo/zufang,Python,Douban rental data search engine(豆瓣租房搜索引擎),102,17,zhaoxinwo,,User,,102
reddit-plugin-thebutton,reddit/reddit-plugin-thebutton,Python,The Button.,102,9,reddit,reddit,Organization,"San Francisco, CA",102
altair,ellisonbg/altair,Python,High-level declarative visualization library for Python,102,12,ellisonbg,Brian E. Granger,User,"San Luis Obispo, CA",102
cuckoo-droid,idanr1986/cuckoo-droid,Python,CuckooDroid - Automated Android Malware Analysis with Cuckoo Sandbox.,102,25,idanr1986,idanr,User,,102
httpscreenshot,breenmachine/httpscreenshot,Python,,102,31,breenmachine,Stephen Breen,User,United States,102
GoAgent-Always-Available,out0fmemory/GoAgent-Always-Available,Python,一直可用的GoAgent,会定时扫描可用的google gae ip,goagent会保持更新,102,42,out0fmemory,,User,Earth Of Course,102
dhcpwn,mschwager/dhcpwn,Python,All your IPs are belong to us.,101,6,mschwager,,User,,101
ansible-elixir-stack,HashNuke/ansible-elixir-stack,Python,Ansible role to setup server with Elixir & Postgres to deploy apps,101,15,HashNuke,Akash Manohar,User,Bangalore,101
weibo_spider,wangshunping/weibo_spider,Python,"graduate project, a weibo spider to find some interesting information such as 'In social network , people tend to be happy or sad.'",101,78,wangshunping,wangshunping,User,,101
camel,eevee/camel,Python,Python serialization for adults,100,2,eevee,Eevee,User,"Las Vegas, NV, USA",100
sorting_algorithms_py,ztgu/sorting_algorithms_py,Python,Basic sorting algorithms in python. Simplicity.,100,19,ztgu,,User,,100
ajenti,Eugeny/ajenti,Python,Moved to,100,25,Eugeny,Eugene Pankov,User,"Minsk, Belarus",100
trip-to-iOS,Aufree/trip-to-iOS,Objective-C,A curated list of delightful iOS resources.,4514,1492,Aufree,Paul King,User,"Beijing, China",6864
ResearchKit,ResearchKit/ResearchKit,Objective-C,ResearchKit is an open source software framework that makes it easy to create apps for medical research or for other research projects.,4230,631,ResearchKit,,Organization,,4469
UITableView-FDTemplateLayoutCell,forkingdog/UITableView-FDTemplateLayoutCell,Objective-C,Template auto layout cell for automatically UITableViewCell height calculating,4069,822,forkingdog,,Organization,,8128
GitUp,git-up/GitUp,Objective-C,The Git interface you've been missing all your life has finally arrived.,3958,192,git-up,GitUp,Organization,"San Francisco, USA",3958
YYText,ibireme/YYText,Objective-C,Powerful text framework for iOS to display and edit rich text.,3883,569,ibireme,Yaoyuan,User,"Beijing, China",8253
open-source-ios-apps,dkhamsing/open-source-ios-apps,Objective-C,:iphone: Collaborative List of Open-Source iOS Apps,3606,593,dkhamsing,,User,California,3827
iOS9AdaptationTips,ChenYilong/iOS9AdaptationTips,Objective-C,iOS9适配系列教程(iOS9开发学习交流群:523070828),3207,789,ChenYilong,微博@iOS程序犭袁,User,Beijing China.,8605
WWDC,insidegui/WWDC,Objective-C,WWDC app for OS X,2763,187,insidegui,Guilherme Rambo,User,Brasil / RS,2763
LTNavigationBar,ltebean/LTNavigationBar,Objective-C,UINavigationBar Category which allows you to change its appearance dynamically,2394,327,ltebean,Leo,User,"Shanghai, China",2394
TeamTalk,mogujie/TeamTalk,Objective-C,TeamTalk is a solution for enterprise IM,2232,1215,mogujie,蘑菇街,Organization,,2447
iOSInterviewQuestions,ChenYilong/iOSInterviewQuestions,Objective-C,iOS面试题集锦(附答案)--学习交流群458884057,2184,653,ChenYilong,微博@iOS程序犭袁,User,Beijing China.,8605
JHChainableAnimations,jhurray/JHChainableAnimations,Objective-C,Easy to read and write chainable animations in Objective-C,2182,176,jhurray,Jeff Hurray,User,,2448
BLKFlexibleHeightBar,bryankeller/BLKFlexibleHeightBar,Objective-C,"Create condensing header bars like those seen in the Facebook, Square Cash, and Safari iOS apps.",2147,241,bryankeller,Bryan Keller,User,,2147
FoldingTabBar.iOS,Yalantis/FoldingTabBar.iOS,Objective-C,Folding Tab Bar and Tab Bar Controller,2145,254,Yalantis,Yalantis,Organization,"Ukraine, Dnepropetrovsk",28436
PINRemoteImage,pinterest/PINRemoteImage,Objective-C,"A thread safe, performant, feature rich image fetcher",1999,136,pinterest,Pinterest,Organization,"San Francisco, California",3903
AnyBar,tonsky/AnyBar,Objective-C,OS X menubar status indicator,1887,50,tonsky,Nikita Prokopov,User,"Novosibirsk, Russia",1887
FDFullscreenPopGesture,forkingdog/FDFullscreenPopGesture,Objective-C,A UINavigationController's category to enable fullscreen pop gesture with iOS7+ system style.,1831,358,forkingdog,,Organization,,8128
XcodeGhost,XcodeGhostSource/XcodeGhost,Objective-C,'XcodeGhost' Source,1765,886,XcodeGhostSource,,User,,1765
YYWebImage,ibireme/YYWebImage,Objective-C,Asynchronous image loading framework.,1726,277,ibireme,Yaoyuan,User,"Beijing, China",8253
Parse-SDK-iOS-OSX,ParsePlatform/Parse-SDK-iOS-OSX,Objective-C,Parse SDK for iOS/OS X,1664,273,ParsePlatform,Parse,Organization,"Menlo Park, CA",4296
Pull-to-Refresh.Rentals-iOS,Yalantis/Pull-to-Refresh.Rentals-iOS,Objective-C,This project aims to provide a simple and customizable pull to refresh implementation. Made in Yalantis,1639,207,Yalantis,Yalantis,Organization,"Ukraine, Dnepropetrovsk",28436
OAStackView,oarrabi/OAStackView,Objective-C,Porting UIStackView to iOS 7+,1586,126,oarrabi,Omar Abdelhafith,User,"Dublin, Ireland",1586
ChitChat,stonesam92/ChitChat,Objective-C,A native Mac app wrapper for WhatsApp Web,1568,167,stonesam92,Sam Stone,User,UK,1568
ASCIImage,cparnot/ASCIImage,Objective-C,Create UIImage / NSImage instances with NSString and ASCII art,1500,76,cparnot,Charles Parnot,User,"Palo Alto, CA",1500
DesignerNewsApp,MengTo/DesignerNewsApp,Objective-C,Build a Swift App as a designer,1490,193,MengTo,Meng To,User,,2733
FDStackView,forkingdog/FDStackView,Objective-C,Use UIStackView directly in iOS6+,1485,188,forkingdog,,Organization,,8128
openshare,100apps/openshare,Objective-C,不用官方SDK,利用社交软件移动客户端(微信/QQ/微博/人人/支付宝)分享/登录/支付。,1467,298,100apps,马云腾,User,漕河泾,上海,1467
Valet,square/Valet,Objective-C,Valet lets you securely store data in the iOS or OS X Keychain without knowing a thing about how the Keychain works. It’s easy. We promise.,1459,66,square,Square,Organization,,13457
DKNightVersion,Draveness/DKNightVersion,Objective-C,:full_moon: Integrate night mode/theme to your iOS app,1391,172,Draveness,Draveness,User,Beijing China,2863
SXNews,dsxNiubility/SXNews,Objective-C,"High imitation Neteasy News. (include list,detail,photoset,weather,feedback)",1367,482,dsxNiubility,董铂然,User,Beijing-Wangjing,2436
SBShortcutMenuSimulator,DeskConnect/SBShortcutMenuSimulator,Objective-C,3D Touch shortcuts in the Simulator,1330,115,DeskConnect,DeskConnect,Organization,"San Francisco, CA",1470
FastttCamera,IFTTT/FastttCamera,Objective-C,Fasttt and easy camera framework for iOS with customizable filters,1312,112,IFTTT,IFTTT,Organization,San Francisco,5448
CYLTabBarController,ChenYilong/CYLTabBarController,Objective-C,最低只需传两个数组即可完成主流App框架搭建,1287,298,ChenYilong,微博@iOS程序犭袁,User,Beijing China.,8605
JVFloatingDrawer,JVillella/JVFloatingDrawer,Objective-C,An easy to use floating drawer view controller.,1261,135,JVillella,Julian,User,"Toronto, Ontario",1261
Material-Controls-For-iOS,fpt-software/Material-Controls-For-iOS,Objective-C,Many Google Material Design Controls for iOS native application,1242,161,fpt-software,FPT Software,Organization,Vietnam,1242
Context-Menu.iOS,Yalantis/Context-Menu.iOS,Objective-C,You can easily add awesome animated context menu to your app.,1222,175,Yalantis,Yalantis,Organization,"Ukraine, Dnepropetrovsk",28436
ZCAnimatedLabel,overboming/ZCAnimatedLabel,Objective-C,UILabel replacement with fine-grain appear/disappear animation,1221,77,overboming,Chen,User,,1221
jot,IFTTT/jot,Objective-C,An iOS framework for easily adding drawings and text to images.,1221,73,IFTTT,IFTTT,Organization,San Francisco,5448
KYGooeyMenu,KittenYang/KYGooeyMenu,Objective-C,A not bad gooey effects menu.,1188,156,KittenYang,Qitao Yang,User,"Beijing,China",5246
XCActionBar,pdcgomes/XCActionBar,Objective-C,'Alfred for Xcode' plugin,1186,35,pdcgomes,Pedro Gomes,User,"London, United Kingdom",1186
NYTPhotoViewer,NYTimes/NYTPhotoViewer,Objective-C,,1184,101,NYTimes,The New York Times,Organization,"New York, NY",2066
STPopup,kevin0571/STPopup,Objective-C,"STPopup provides STPopupController, which works just like UINavigationController in form sheet/bottom sheet style, for both iPhone and iPad.",1166,118,kevin0571,Kevin Lin,User,Singapore,1166
FBSimulatorControl,facebook/FBSimulatorControl,Objective-C,A Mac OS X library for managing and manipulating iOS Simulators,1159,66,facebook,Facebook,Organization,"Menlo Park, California",61260
TYAttributedLabel,12207480/TYAttributedLabel,Objective-C,TYAttributedLabel 简单,强大的属性文本控件(无需了解CoreText),支持图文混排显示,支持添加链接,image和UIView控件,支持自定义排版显示,1152,226,12207480,tany,User,,2740
KRVideoPlayer,36Kr-Mobile/KRVideoPlayer,Objective-C,类似Weico的播放器,支持竖屏模式下全屏播放,1124,203,36Kr-Mobile,36Kr,Organization,Beijing,1281
WNXHuntForCity,ZhongTaoTian/WNXHuntForCity,Objective-C,高仿城觅by-objective-c,1124,332,ZhongTaoTian,维尼的小熊,User,北京,1590
NirZhihuDaily2.0,zpz1237/NirZhihuDaily2.0,Objective-C,Swift精仿知乎日报iOS端,1115,256,zpz1237,我偏笑_NSNirvana,User,,1280
eigen,artsy/eigen,Objective-C,"The Art World in Your Pocket or Your Trendy Tech Company's Tote, Artsy's iOS app.",1098,168,artsy,Artsy,Organization,"New York, NY",1392
SDCycleScrollView,gsdios/SDCycleScrollView,Objective-C,无限循环图片轮播器。Autoscroll Banner。,1075,351,gsdios,GSD_iOS,User,,2886
TBIconTransitionKit,AlexeyBelezeko/TBIconTransitionKit,Objective-C,TBIconTransitionKit is an easy to use icon transition kit that allows to smoothly change from one shape to another.,1071,130,AlexeyBelezeko,Alexey,User,Saint Petersburg,1071
CSSketch,JohnCoates/CSSketch,Objective-C,Plugin that adds CSS support to Sketch 3 for a faster design workflow.,1068,51,JohnCoates,John Coates,User,,5846
VVeboTableViewDemo,johnil/VVeboTableViewDemo,Objective-C,VVebo剥离的TableView绘制,1066,198,johnil,,User,Beijing,1437
ESJsonFormat-Xcode,EnjoySR/ESJsonFormat-Xcode,Objective-C,将JSON格式化输出为模型的属性,1064,180,EnjoySR,EnjoySR,User,,1064
RGCardViewLayout,terminatorover/RGCardViewLayout,Objective-C,This is a layout that clones the interaction of going through city 'cards' in the City Guide App. (this app is #3 for the top iOS app animations on the raywenderlich,1059,117,terminatorover,RGeleta,User,West Hollywood,1365
ESTMusicPlayer,Aufree/ESTMusicPlayer,Objective-C,An elegant and simple iOS music player.,1045,174,Aufree,Paul King,User,"Beijing, China",6864
YYModel,ibireme/YYModel,Objective-C,High performance model framework for iOS.,1042,192,ibireme,Yaoyuan,User,"Beijing, China",8253
ParseSourceCodeStudy,ChenYilong/ParseSourceCodeStudy,Objective-C,Facebook开源的Parse源码分析【系列】,1038,186,ChenYilong,微博@iOS程序犭袁,User,Beijing China.,8605
bilibili-mac-client,typcn/bilibili-mac-client,Objective-C,An unofficial bilibili client for mac,1038,133,typcn,,User,China,1189
LNPopupController,LeoNatan/LNPopupController,Objective-C,"LNPopupController is a framework for presenting view controllers as popups of other view controllers, much like the Apple Music and Podcasts apps.",1023,60,LeoNatan,Leo Natan,User,"Tel Aviv, Israel",1023
CorePhotoBroswerVC,CharlinFeng/CorePhotoBroswerVC,Objective-C,快速集成高性能照片浏览器,支持本地及网络相册,999,288,CharlinFeng,时点软件 冯成林,User,APP业务合作QQ:2113171554,4323
MVVMReactiveCocoa,leichunfeng/MVVMReactiveCocoa,Objective-C,GitBucket iOS App,975,233,leichunfeng,leichunfeng,User,"Guangzhou, Guangdong, China",1335
UUChatTableView,ZhipingYang/UUChatTableView,Objective-C,"Cocoa UI component for group or private chat bubbles with text, images and audio support",966,241,ZhipingYang,Zhiping Yang,User,Shanghai (China),1273
RMPZoomTransitionAnimator,recruit-mp/RMPZoomTransitionAnimator,Objective-C,A custom zooming transition animation for UIViewController,961,94,recruit-mp,"Recruit Marketing Partners Co.,Ltd",Organization,"Tokyo, Japan",1167
PullToMakeSoup,Yalantis/PullToMakeSoup,Objective-C,Custom animated pull-to-refresh that can be easily added to UIScrollView,930,107,Yalantis,Yalantis,Organization,"Ukraine, Dnepropetrovsk",28436
DGActivityIndicatorView,gontovnik/DGActivityIndicatorView,Objective-C,DGActivityIndicatorView is a great way to make loading spinners in your application look nicer. It contains 32 different indicator view styles.,897,112,gontovnik,Danil Gontovnik,User,"London, United Kingdom",3639
Monkey,coderyi/Monkey,Objective-C,"Monkey is a GitHub third party client for iOS,to show the rank of coders and repositories.",903,211,coderyi,coderyi,User,"Beijing,China",2081
BEMCheckBox,Boris-Em/BEMCheckBox,Objective-C,Tasteful Checkbox for iOS. (Check box),874,53,Boris-Em,,User,"Seattle, WA",874
Screentendo,AaronRandall/Screentendo,Objective-C,Turn your screen into a playable level of Mario,871,72,AaronRandall,Aaron Randall,User,London,871
Cool-iOS-Camera,GabrielAlva/Cool-iOS-Camera,Objective-C,A fully customisable and modern camera implementation for iOS made with AVFoundation.,866,88,GabrielAlva,Gabriel Alvarado,User,,1829
DownloadButton,PavelKatunin/DownloadButton,Objective-C,Customizable App Store style download button,856,81,PavelKatunin,Pavel,User,Saint-Pteresburg,856
meituan,lookingstars/meituan,Objective-C,高仿美团iOS版,版本号5.7。/**作者:ljz ; Q Q:863784757 ; 注明:版权所有,转载请注明出处,不可用于其他商业用途。 */,851,376,lookingstars,ljz,User,beijing,1492
Bohr,DavdRoman/Bohr,Objective-C,Settings screen composing framework,852,65,DavdRoman,David Román,User,"Seville, Spain",852
SFFocusViewLayout,fdzsergio/SFFocusViewLayout,Objective-C,UICollectionViewLayout with focused content,844,58,fdzsergio,Sergio Fernández,User,Madrid,844
SXWaveAnimate,dsxNiubility/SXWaveAnimate,Objective-C,Achieve beautiful wavewater animate.,839,198,dsxNiubility,董铂然,User,Beijing-Wangjing,2436
IGInterfaceDataTable,Instagram/IGInterfaceDataTable,Objective-C,A category on WKInterfaceTable that makes configuring tables with multi-dimensional data easier.,833,54,Instagram,Instagram,Organization,"San Francisco, CA",833
MMTweenAnimation,adad184/MMTweenAnimation,Objective-C,"A extension of POP(from facebook) custom animation. Inspired by tweaner(https://code.google.com/p/tweaner), MMTweanerAnimation provide 10 types of custom animation while using POP.",830,83,adad184,ralph li,User,"China, Hunan, Changsha",2023
f.lux,jefferyleo/f.lux,Objective-C,flux for iOS,818,178,jefferyleo,jefferyleo,User,,818
MMPopupView,adad184/MMPopupView,Objective-C,"Pop-up based view(e.g. alert sheet), can easily customize.",819,174,adad184,ralph li,User,"China, Hunan, Changsha",2023
Coding-iOS,Coding/Coding-iOS,Objective-C,Coding iOS 客户端源代码,811,290,Coding,Coding,Organization,In the Cloud,979
KYAnimatedPageControl,KittenYang/KYAnimatedPageControl,Objective-C,A custom UIPageControl with multiple animations ,800,111,KittenYang,Qitao Yang,User,"Beijing,China",5246
react-native-icons,corymsmith/react-native-icons,Objective-C,Quick and easy icons in React Native,794,107,corymsmith,Cory Smith,User,"Calgary, AB",794
ARSegmentPager,AugustRush/ARSegmentPager,Objective-C,segment tab controller with parallax Header,774,139,AugustRush,August,User,ShangHai,1828
WBWebViewConsole,Naituw/WBWebViewConsole,Objective-C,In-App debug console for your UIWebView & WKWebView,768,43,Naituw,Wutian,User,"Beijing, China",768
Replace-iOS,MartinRGB/Replace-iOS,Objective-C,Simply Implement Zee Young's animation,766,103,MartinRGB,MartinRGB,User,"Beijing,China",3764
BabyBluetooth,coolnameismy/BabyBluetooth,Objective-C,"The easiest way to use Bluetooth (BLE )in ios/os ,even bady can use . 一个非常容易使用的蓝牙库,适用于ios和os",759,187,coolnameismy,刘彦玮,User,nanjing china,759
VVBlurPresentation,onevcat/VVBlurPresentation,Objective-C,A simple way to present a view controller with keeping the blurred previous one.,752,78,onevcat,Wei Wang,User,"Kawasaki, Japan",5422
PINCache,pinterest/PINCache,Objective-C,"Fast, non-deadlocking parallel object cache for iOS and OS X",747,70,pinterest,Pinterest,Organization,"San Francisco, California",3903
UIView-FDCollapsibleConstraints,forkingdog/UIView-FDCollapsibleConstraints,Objective-C,"Builds to collapse a view and its relevant layout constraints, simulating a 'Flow Layout' mode",743,100,forkingdog,,Organization,,8128
INSPullToRefresh,inspace-io/INSPullToRefresh,Objective-C,A simple to use very generic pull-to-refresh and infinite scrolling functionalities as a UIScrollView category.,733,63,inspace-io,inspace.io,Organization,Cracow,733
RJImageLoader,rounak/RJImageLoader,Objective-C,A recreation of the image loader animation created by Michael Villar for iOS,726,66,rounak,Rounak,User,"Los Angeles, CA",726
XActivatePowerMode,qfish/XActivatePowerMode,Objective-C,An Xcode plug-in makes POWER MODE happen in your Xcode.,706,104,qfish,QFish,User,"Beijing, China",840
phphub-ios,Aufree/phphub-ios,Objective-C,PHPHub for iOS is the universal iPhone and iPad application for PHPHub,706,204,Aufree,Paul King,User,"Beijing, China",6864
Concorde,contentful-labs/Concorde,Objective-C,Download and decode progressive JPEGs on iOS.,702,50,contentful-labs,,Organization,,833
movies,KMindeguia/movies,Objective-C,,697,135,KMindeguia,Kevin Mindeguia,User,Stockholm,697
FSCalendar,WenchaoIOS/FSCalendar,Objective-C,"A superiorly awesome iOS7+ calendar control, compatible with both Objective-c and Swift2",694,167,WenchaoIOS,Wenchao Ding,User,China,694
MTMaterialDelete,MartinRGB/MTMaterialDelete,Objective-C,a simple implement of my workmate's animation,689,79,MartinRGB,MartinRGB,User,"Beijing,China",3764
FixCode,neonichu/FixCode,Objective-C,Fixing the 'Fix Issues' button,681,15,neonichu,Boris Bügling,User,"Berlin, Germany",1957
Preloader.Ophiuchus,Yalantis/Preloader.Ophiuchus,Objective-C,Custom Label to apply animations on whole text or letters.,675,44,Yalantis,Yalantis,Organization,"Ukraine, Dnepropetrovsk",28436
ZOZolaZoomTransition,NewAmsterdamLabs/ZOZolaZoomTransition,Objective-C,Zoom transition that animates the entire view heirarchy. Used extensively in the Zola iOS application.,657,48,NewAmsterdamLabs,New Amsterdam Labs,Organization,"New York, NY",657
Facade,mamaral/Facade,Objective-C,Programmatic view layout for the rest of us.,655,53,mamaral,Mike Amaral,User,New Hampshire,4204
TOCropViewController,TimOliver/TOCropViewController,Objective-C,A view controller that allows users to crop UIImage objects.,655,114,TimOliver,Tim Oliver,User,"Perth, Australia",771
CocoaMarkdown,indragiek/CocoaMarkdown,Objective-C,Markdown parsing and rendering for iOS and OS X,652,42,indragiek,Indragie Karunaratne,User,"Edmonton, AB",1282
NgKeyboardTracker,meiwin/NgKeyboardTracker,Objective-C,Objective-C library for tracking keyboard in iOS apps.,654,69,meiwin,Meiwin Fu,User,Singapore,654
CollectionViewClassifyMenu,ChenYilong/CollectionViewClassifyMenu,Objective-C,CollectionView做的两级菜单,可以折叠第二级菜单,649,180,ChenYilong,微博@iOS程序犭袁,User,Beijing China.,8605
WZLBadge,weng1250/WZLBadge,Objective-C,//An one-line tool to show styles of badge for UIView,649,125,weng1250,Zilin Weng,User,"Xiamen,Fujian,China",649
JTMaterialTransition,jonathantribouharet/JTMaterialTransition,Objective-C,An iOS transition for controllers based on material design.,643,60,jonathantribouharet,Jonathan Tribouharet,User,"Paris, France",941
KSHObjcUML,kimsungwhee/KSHObjcUML,Objective-C,KSHObjcUML can show oriented graph of dependencies between Objective-C classes in your project,641,62,kimsungwhee,Sungwhee Kim,User,TOKYO,741
TAOverlay,TaimurAyaz/TAOverlay,Objective-C,TAOverlay is a minimalistic and simple overlay meant to display useful information to the user.,641,50,TaimurAyaz,Taimur Ayaz,User,"Toronto, Canada",641
KYCuteView,KittenYang/KYCuteView,Objective-C,Drag like a gooey bubble.,639,132,KittenYang,Qitao Yang,User,"Beijing,China",5246
Doppelganger,Wondermall/Doppelganger,Objective-C,Array diffs as collection view wants it,633,25,Wondermall,Wondermall,Organization,,633
JZNavigationExtension,JazysYu/JZNavigationExtension,Objective-C,The 'UINavigationController+JZExtension' category integrates some convenient functions for your UINavigationController.,626,73,JazysYu,Jazys,User,,774
BonMot,Raizlabs/BonMot,Objective-C,An Objective-C attributed string generation library,626,18,Raizlabs,Raizlabs,Organization,Boston & Bay Area,775
react-native-camera,lwansbrough/react-native-camera,Objective-C,A Camera component for React Native. Also supports barcode scanning!,612,109,lwansbrough,Loch Wansbrough,User,"Vancouver, Canada",612
CATweaker,keefo/CATweaker,Objective-C,A helper tool and an Xcode plugin for creating beautiful CAMediaTimingFunction curve,612,37,keefo,Xu Lian,User,Vancouver,612
Organic,mamaral/Organic,Objective-C,The intuitive UITableViewController.,611,47,mamaral,Mike Amaral,User,New Hampshire,4204
SDAutoLayout,gsdios/SDAutoLayout,Objective-C,AutoLayout 一行代码搞定自动布局!支持Cell和Tableview高度自适应,Label和ScrollView内容自适应,致力于做最简单易用的AutoLayout库。The most easy way for autoLayout. Based Runtime.,593,169,gsdios,GSD_iOS,User,,2886
CoreModel,CharlinFeng/CoreModel,Objective-C,Replace CoreData,598,146,CharlinFeng,时点软件 冯成林,User,APP业务合作QQ:2113171554,4323
WMPageController,wangmchn/WMPageController,Objective-C,An easy solution to page controllers like NetEase News,597,119,wangmchn,Wang Ming,User,"Shenzhen, China",597
beautifulApp,lyimin/beautifulApp,Objective-C,this is a beautiful app 0.0,582,118,lyimin,梁亦明,User,,582
NetworkEye,coderyi/NetworkEye,Objective-C,"a iOS network debug library ,It can monitor HTTP requests within the App and displays information related to the request.",580,73,coderyi,coderyi,User,"Beijing,China",2081
CoreLock,CharlinFeng/CoreLock,Objective-C,高仿支付宝解锁,580,178,CharlinFeng,时点软件 冯成林,User,APP业务合作QQ:2113171554,4323
GLCalendarView,Glow-Inc/GLCalendarView,Objective-C,A fully customizable calendar view acting as a date range picker,556,59,Glow-Inc,Glow Inc,Organization,"Shanghai, China",867
BlockParty,krishkumar/BlockParty,Objective-C,Safari Content Blocker App for iOS 9 and OSX,550,72,krishkumar,Krishna,User,"Toronto, Canada",550
spacetime,facebookexperimental/spacetime,Objective-C,Experimental iOS library for live transformations on parts of layers.,543,11,facebookexperimental,Facebook Experimental,Organization,"Menlo Park, California",543
YYCache,ibireme/YYCache,Objective-C,High performance cache framework for iOS.,531,126,ibireme,Yaoyuan,User,"Beijing, China",8253
DOPDropDownMenu-Enhanced,12207480/DOPDropDownMenu-Enhanced,Objective-C,"DOPDropDownMenu 添加双列表 优化版 新增图片支持(double tableView, The optimization version ,new add image,detailText)",532,140,12207480,tany,User,,2740
Diplomat,lingochamp/Diplomat,Objective-C,整合第三方 SDK 微信、微博、 QQ 等为统一的 Diplomat 接口。,526,57,lingochamp,LingoChamp Inc.,Organization,"Shanghai, China",1524
HTY360Player,hanton/HTY360Player,Objective-C,Open Source iOS 360 Degree Panorama Video Player.,517,78,hanton,Hanton,User,,669
ObjectGraph-Xcode,vampirewalk/ObjectGraph-Xcode,Objective-C,ObjectGraph can show oriented graph of dependencies between classes in your project.,515,43,vampirewalk,Kevin Shen,User,Taiwan,515
A-GUIDE-TO-iOS-ANIMATION,KittenYang/A-GUIDE-TO-iOS-ANIMATION,Objective-C,The source code of my new eBook —— A GUIDE TO IOS ANIMATION. Just click the next link to buy it,514,120,KittenYang,Qitao Yang,User,"Beijing,China",5246
IPDFCameraViewController,mmackh/IPDFCameraViewController,Objective-C,"UIView subclass with camera preview, live border detection, perspective correction and an easy to use API",507,82,mmackh,Maximilian Mackh,User,"Salzburg, Austria",507
DWURecyclingAlert,diwu/DWURecyclingAlert,Objective-C,Optimizing UITableViewCell For Fast Scrolling,506,27,diwu,diwup,User,"Shanghai, China",1167
MustOverride,nicklockwood/MustOverride,Objective-C,Provides a macro that you can use to ensure that a method of an abstract base class *must* be overriden by its subclasses.,503,11,nicklockwood,Nick Lockwood,User,UK,503
LearnCube-iOS,MartinRGB/LearnCube-iOS,Objective-C,An animation practise demo,503,69,MartinRGB,MartinRGB,User,"Beijing,China",3764
spacecommander,square/spacecommander,Objective-C,Commit fully-formatted Objective-C as a team without even trying.,500,42,square,Square,Organization,,13457
SCTrelloNavigation,SergioChan/SCTrelloNavigation,Objective-C,:clipboard: An iOS native implementation of a Trello Animated Navagation. See more at https://dribbble.com/shots/2114816-Trello-Navigation. iOS上类似trello的导航动效控件实现。,493,62,SergioChan,Sergio Chan,User,"Beijing, China",1471
ActivatePowerMode,poboke/ActivatePowerMode,Objective-C,ActivatePowerMode is a plugin for Xcode. This plugin will make your code powerful.,487,94,poboke,,User,,487
phonegap-plugin-push,phonegap/phonegap-plugin-push,Objective-C,Register and receive push notifications,488,215,phonegap,PhoneGap,Organization,In your pocket.,488
LxGridView,DeveloperLx/LxGridView,Objective-C,Imitation iOS system desktop icon arrangement and interaction by UICollectionView!,489,57,DeveloperLx,Developer.Lx,User,"Beijing, China.",1801
TYAlertController,12207480/TYAlertController,Objective-C,"Powerful, Easy to use alert view or popup view on controller and window, support blur effects,custom view and animation,for objective-c,support iphone, ipad",485,101,12207480,tany,User,,2740
HCSStarRatingView,hsousa/HCSStarRatingView,Objective-C,Simple star rating view for iOS written in Objective-C,469,43,hsousa,Hugo Sousa,User,"Lisbon, Portugal",469
FLXView,robb/FLXView,Objective-C,A UIView that uses Flexbox for layouting. :sparkles:,467,15,robb,Robert Böhnke,User,Berlin,467
LBXScan,MxABC/LBXScan,Objective-C,A barcode and qr code scanner (二维码、扫码、扫一扫、ZXing和ios系统自带扫码封装,扫码界面效果封装),463,129,MxABC,,User,,619
LGSideMenuController,Friend-LGA/LGSideMenuController,Objective-C,iOS side menu view controller shows left and right views on top of everything by pressing button or gesture,459,67,Friend-LGA,Grigory Lutkov,User,Russia,1217
GSD_ZHIFUBAO,gsdios/GSD_ZHIFUBAO,Objective-C,支付宝高仿版,457,204,gsdios,GSD_iOS,User,,2886
NSGIF,NSRare/NSGIF,Objective-C,iOS Library for converting videos to animated GIFs.,457,44,NSRare,NSRare,Organization,Xcode,457
ZLGotoSandboxPlugin,MakeZL/ZLGotoSandboxPlugin,Objective-C,You can quickly enter the iOS simulator Xcode plugin!,452,79,MakeZL,MakeZL,User,Beijing China.,990
MPCoachMarks,bubudrc/MPCoachMarks,Objective-C,MPCoachMarks is an iOS class that displays user coach marks with a couple of shapescutout over an existing UI. This approach leverages your actual UI as part of the onboarding process for your user.,447,38,bubudrc,Marcelo Perretta,User,"Rosario, Argentina",447
zulip-ios,zulip/zulip-ios,Objective-C,Zulip iOS app,446,111,zulip,Zulip,Organization,,4404
Animations,KittenYang/Animations,Objective-C,"some test animations, just for fun.",445,52,KittenYang,Qitao Yang,User,"Beijing,China",5246
ARAnimation,AugustRush/ARAnimation,Objective-C,ARAnimation is an Core Animation library to make you animations easily.,443,61,AugustRush,August,User,ShangHai,1828
RxWebViewController,Roxasora/RxWebViewController,Objective-C,实现类似微信的 webView 导航效果,包括进度条,左滑返回上个网页或者直接关闭,就像 UINavigationController,441,65,Roxasora,青年李大猫,User,,621
BaiduFM-Swift,belm/BaiduFM-Swift,Objective-C,百度FM swift语言实现,440,124,belm,鲁蒙,User,shanghai,440
SmileTouchID,liu044100/SmileTouchID,Objective-C,A Library for configure Touch ID & passcode conveniently,437,30,liu044100,Rain,User,Kyoto,739
toolbox,docker/toolbox,Objective-C,The Docker Toolbox,435,86,docker,Docker,Organization,,6701
ModernLook-OSX,gyetvan-andras/ModernLook-OSX,Objective-C,OSX Moder Look UI,431,20,gyetvan-andras,Gyetván András,User,"Hungary, Balatonlelle",431
CoreAnimationCode,lzwjava/CoreAnimationCode,Objective-C,Code examples of the book 「iOS Core Animation Advanced Techniques」,430,64,lzwjava,lzwjava,User,"Beijing, China",775
WAAppRouting,Wasappli/WAAppRouting,Objective-C,"iOS routing done right. Handles both URL recognition and controller displaying with parsed parameters. All in one line, controller stack preserved automatically!",427,17,Wasappli,,Organization,,528
PopMenu,xhzengAIB/PopMenu,Objective-C,PopMenu is pop animation menu inspired by Sina weibo / NetEase app.,411,117,xhzengAIB,曾宪华,User,"Guangzhou, China",564
ZSeatSelector,richzertuche/ZSeatSelector,Objective-C,Create a Seat Map Layout ,409,49,richzertuche,Ricardo Zertuche,User,México,906
RTNetworking,casatwy/RTNetworking,Objective-C,,409,135,casatwy,Casa Taloyum,User,"shanghai, china",801
MyOne-iOS,meilbn/MyOne-iOS,Objective-C,我的《一个》 iOS 客户端(OC),395,127,meilbn,我的眼里只有代码,User,ZheJiang China.,395
MMTextFieldEffects,mukyasa/MMTextFieldEffects,Objective-C,"Extension of TextFieldEffects with Custom UITextFields effects inspired by Codrops, built using Objective-C",397,41,mukyasa,Mukesh Mandora,User,"Mumbai,India",890
GoodNight,anthonya1999/GoodNight,Objective-C,"The first non-jailbroken application to adjust the screen temperature, brightness, and color!",391,46,anthonya1999,Anthony Agatiello,User,Rhode Island,391
WSProgressHUD,devSC/WSProgressHUD,Objective-C,This is a beauful hud view for iPhone & iPad,395,53,devSC,Wilson Yuan,User,Beijing,395
JBWatchActivityIndicator,mikeswanson/JBWatchActivityIndicator,Objective-C,An easy way to generate activity indicator images for Apple Watch,395,23,mikeswanson,Mike Swanson,User,,395
ambly,omcljs/ambly,Objective-C,ClojureScript REPL into iOS JavaScriptCore,391,13,omcljs,,Organization,,391
KYJellyPullToRefresh,KittenYang/KYJellyPullToRefresh,Objective-C,A shape changing & physical ball pull-to-refresh.,393,42,KittenYang,Qitao Yang,User,"Beijing,China",5246
planck,mfikes/planck,Objective-C,ClojureScript REPL for OS X,392,27,mfikes,Mike Fikes,User,"Leesburg, VA",675
ios-flexboxkit,alexdrone/ios-flexboxkit,Objective-C,A simple UIKit extension to wrap Flexbox layouts.,389,27,alexdrone,Alex Usbergo,User,"Stockholm, Sweden",389
stepifyIOS,stepify/stepifyIOS,Objective-C,IOS fitness app.,384,98,stepify,,User,,384
MrCode,haolloyin/MrCode,Objective-C,A simple GitHub iPhone App that can cache Markdown content (include images in HTML) for read it later. 简单的 GitHub iOS 应用,缓存项目中的 Markdown 渲染之后的 HTML 及其图片方便稍后阅读,380,81,haolloyin,haolloyin,User,shenzhen,380
YYImage,ibireme/YYImage,Objective-C,"Image framework for iOS to display/encode/decode animated WebP, APNG, GIF, and more.",375,69,ibireme,Yaoyuan,User,"Beijing, China",8253
UIStackView-Playground,jstart/UIStackView-Playground,Objective-C,A playground demonstrating some of the key features of UIStackView,375,5,jstart,Christopher Truman,User,Los Angeles,375
WZDraggableSwitchHeaderView,wongzigii/WZDraggableSwitchHeaderView,Objective-C,A header view shows status for switching between viewControllers,375,30,wongzigii,Zigii Wong,User,Shenzhen,742
MMParallaxCell,adad184/MMParallaxCell,Objective-C,A subclass of UITableViewCell to present the parallax effect,374,41,adad184,ralph li,User,"China, Hunan, Changsha",2023
react-native-sqlite,almost/react-native-sqlite,Objective-C,SQLite3 bindings for React Native,373,29,almost,Thomas Parslow,User,"Brighton, UK",373
JFImagePickerController,johnil/JFImagePickerController,Objective-C,高性能多选图片库,371,50,johnil,,User,Beijing,1437
YiYuanYunGou,JxbSir/YiYuanYunGou,Objective-C,高仿一元云购IOS应用(高仿自一元云购安卓客户端),366,495,JxbSir,Peter Jin,User,"Hangzhou, Zhejiang, China",551
MeituanDemo,zangqilong198812/MeituanDemo,Objective-C,,363,116,zangqilong198812,zangqilong,User,,585
BKAsciiImage,bkoc/BKAsciiImage,Objective-C,Convert UIImage to ASCII art,363,19,bkoc,Barış Koç,User,Istanbul,363
react-native-video,brentvatne/react-native-video,Objective-C,A <Video /> component for react-native,360,67,brentvatne,Brent Vatne,User,"Vancouver, Canada",2353
Voucher,rsattar/Voucher,Objective-C,A simple library to make authenticating tvOS apps easy via their iOS counterparts.,360,13,rsattar,Riz,User,"San Francisco, CA",360
WXTabBarController,leichunfeng/WXTabBarController,Objective-C,在系统 UITabBarController 的基础上实现安卓版微信 TabBar 的滑动切换功能,360,72,leichunfeng,leichunfeng,User,"Guangzhou, Guangdong, China",1335
SDPhotoBrowser,gsdios/SDPhotoBrowser,Objective-C, A image browser which is easy for using.,360,123,gsdios,GSD_iOS,User,,2886
HACursor,HAHAKea/HACursor,Objective-C,帮助开发者方便集成导航指示器,用于管理视图页面,361,85,HAHAKea,HAHAYu,User,China GuangDong,361
FMMosaicLayout,fmitech/FMMosaicLayout,Objective-C,A drop-in mosaic collection view layout with a focus on simple customizations.,360,41,fmitech,Fluid Media Inc.,Organization,,360
DoubanFM,XVXVXXX/DoubanFM,Objective-C,"The DoubanFM for iPhone,using AFN and MPMoviePlayer",359,123,XVXVXXX,X,User,"Hangzhou, China",359
MenuMeters,yujitach/MenuMeters,Objective-C,my fork of MenuMeters by http://www.ragingmenace.com/software/menumeters/,358,36,yujitach,,User,,358
tpwn,kpwn/tpwn,Objective-C,"xnu local privilege escalation via cve-2015-???? & cve-2015-???? for 10.10.5, 0day at the time | poc||gtfo",358,92,kpwn,,User,,594
Loading,BonzaiThePenguin/Loading,Objective-C,Simple network activity monitor for OS X,356,14,BonzaiThePenguin,Mike McFadden,User,Maryland,356
SmallDay,ZhongTaoTian/SmallDay,Objective-C,高仿小日子 - By Swift 2.0,351,89,ZhongTaoTian,维尼的小熊,User,北京,1590
itjh,itjhDev/itjh,Objective-C,IT江湖iOS客户端,353,144,itjhDev,LijunSong,User,"Beijing,China",464
Crayons,Sephiroth87/Crayons,Objective-C,An Xcode plugin to improve dealing with colors in your project,350,4,Sephiroth87,Fabio Ritrovato,User,"London, UK",350
KYElegantPhotoGallery,KittenYang/KYElegantPhotoGallery,Objective-C,An elegant photo gallery. It will zoom from a thumb image and you can pan to dismiss it with cool animation.,347,38,KittenYang,Qitao Yang,User,"Beijing,China",5246
MyLinearLayout,youngsoft/MyLinearLayout,Objective-C,"A powerful iOS view layout library, suitable for all kinds of screen size. Don't need to learn AutoLayout and SizeClass. You can use LinearLayout, RelativeLayout,FrameLayout,TableLayout,FlowLayout to create you UI Layout",346,107,youngsoft,欧阳大哥,User,,346
rnd-apple-watch-tesla,eleks/rnd-apple-watch-tesla,Objective-C,An application for Apple Watch to control your Tesla Car,344,57,eleks,,Organization,"Lviv, Ukraine",344
ios-multi-back-button,palmin/ios-multi-back-button,Objective-C,back-button replacement for iOS 8 that allows going back multiple levels,339,19,palmin,Anders Borum,User,Copenhagen,339
JVMenuPopover,JV17/JVMenuPopover,Objective-C,Simple popover menu in Objective-C,339,52,JV17,Jorge Valbuena,User,"Toronto, ON",485
GKFadeNavigationController,gklka/GKFadeNavigationController,Objective-C,A Navigation Controller which supports animated hiding of the Navigation Bar,337,26,gklka,Gruber Kristóf,User,"Budapest, Hungary",337
YoCelsius,YouXianMing/YoCelsius,Objective-C,一款天气预报的应用(已在AppStore上线),330,116,YouXianMing,YouXianMing,User,BeiJing,330
ios-material-design,moqod/ios-material-design,Objective-C,,332,53,moqod,Moqod,Organization,"Amsterdam, Kiev, Izhevsk",332
UICollectionView-ARDynamicHeightLayoutCell,AugustRush/UICollectionView-ARDynamicHeightLayoutCell,Objective-C,Automatically UICollectionViewCell size calculating.,330,49,AugustRush,August,User,ShangHai,1828
PlainReader,guojiubo/PlainReader,Objective-C,Plain Reader source code.,326,103,guojiubo,,User,,326
signals-ios,uber/signals-ios,Objective-C,Typeful eventing,328,17,uber,Uber,Organization,,2875
TAPageControl,TanguyAladenise/TAPageControl,Objective-C,A versatile and easily customizable page control for iOS.,326,64,TanguyAladenise,Tanguy Aladenise,User,Paris / Montréal,326
FBFetchedResultsController,facebook/FBFetchedResultsController,Objective-C,A drop-in replacement for NSFetchedResultsController built to work around the fact that NSFetchedResultsController does not work with parent/child contexts.,326,23,facebook,Facebook,Organization,"Menlo Park, California",61260
LxThroughPointsBezier,DeveloperLx/LxThroughPointsBezier,Objective-C,A funny iOS library. Draw a smooth bezier through several points you designated. The curve‘s bend level is adjustable.,325,34,DeveloperLx,Developer.Lx,User,"Beijing, China.",1801
TAPromotee,JanC/TAPromotee,Objective-C,Objective-C library to cross promote iOS apps,324,27,JanC,Jan Chaloupecky,User,Berlin,324
MMCamScanner,mukyasa/MMCamScanner,Objective-C,Simulation of CamScanner app With Custom Camera and Crop Rect Validation ,322,63,mukyasa,Mukesh Mandora,User,"Mumbai,India",890
apple-tv,Auntie-Player/apple-tv,Objective-C,A proof of concept Apple TV app to access on demand programmes from the BBC. ,321,50,Auntie-Player,Auntie Player,Organization,,321
LxDBAnything,DeveloperLx/LxDBAnything,Objective-C,Automate box any value! Print log without any format control symbol! Change debug habit thoroughly! ,316,38,DeveloperLx,Developer.Lx,User,"Beijing, China.",1801
MXSegmentedPager,maxep/MXSegmentedPager,Objective-C,Segmented pager view with Parallax header,317,55,maxep,Maxime,User,"Paris, France",550
uber-video-welcome,chinsyo/uber-video-welcome,Objective-C,,316,59,chinsyo,Chinsyo,User,China Shanghai,316
TTRangeSlider,TomThorpe/TTRangeSlider,Objective-C,"A slider, similar in style to UISlider, but which allows you to pick a minimum and maximum range.",313,48,TomThorpe,Tom Thorpe,User,UK,313
TB_TwitterUI,ariok/TB_TwitterUI,Objective-C,This is the code for the ThinkAndBuild tutorial: 'Implementing the Twitter App UI' (WIP),312,29,ariok,Yari @bitwaker,User,Milano,312
LGSemiModalNavController,lukegeiger/LGSemiModalNavController,Objective-C,A UINavigationController subclass that presents itself a dynamic amount in a view controller using the UIViewControllerAnimatedTransitioning protocol.,311,26,lukegeiger,Luke Geiger,User,New York City | Detroit,434
CarbonKit,ermalkaleci/CarbonKit,Objective-C,CarbonKit - iOS Components (Obj-C & Swift),309,59,ermalkaleci,Ermal Kaleci,User,"Tirana, Albania",309
nuomi,lookingstars/nuomi,Objective-C,高仿百度糯米iOS版,版本号5.13.0。/**作者:ljz ; Q Q:863784757 ; 注明:版权所有,转载请注明出处,不可用于其他商业用途。 */,308,130,lookingstars,ljz,User,beijing,1492
ESTCollectionViewDropDownList,Aufree/ESTCollectionViewDropDownList,Objective-C,A demo implementation of a drop down tag list view for iOS.,309,41,Aufree,Paul King,User,"Beijing, China",6864
UUChartView,ZhipingYang/UUChartView,Objective-C,"Line and Bar of Chart, you can mark the range of value you want, and show the max or min values in linechart",307,111,ZhipingYang,Zhiping Yang,User,Shanghai (China),1273
PCGestureUnlock,iosdeveloperpanc/PCGestureUnlock,Objective-C,目前最全面最高仿支付宝的手势解锁,而且提供方法进行参数修改,能解决项目开发中所有手势解锁的开发,306,78,iosdeveloperpanc,,User,,306
RGPaperLayout,terminatorover/RGPaperLayout,Objective-C,This is a layout that clones the interaction of going through sections when editing your sections in Facebook's paper app,306,31,terminatorover,RGeleta,User,West Hollywood,1365
GUITabPagerViewController,guilhermearaujo/GUITabPagerViewController,Objective-C,,306,41,guilhermearaujo,Guilherme Araújo,User,"São Paulo, Brasil",306
ReflectableEnum,fastred/ReflectableEnum,Objective-C,Reflection for enumerations in Objective-C.,306,9,fastred,Arkadiusz Holko,User,"Warsaw, Poland",306
MBSimpleLoadingIndicator,mbrenman/MBSimpleLoadingIndicator,Objective-C,"An easy-to-use, highly-customizable loading indicator for iOS apps",304,8,mbrenman,Matt Brenman,User,United States,462
MMBarricade,mutualmobile/MMBarricade,Objective-C,Runtime configurable local server for iOS apps.,303,11,mutualmobile,Mutual Mobile,Organization,"Austin, TX",303
SmileWeather,liu044100/SmileWeather,Objective-C,A library for Search & Parse the weather data from Wunderground & Openweathermap conveniently.,302,47,liu044100,Rain,User,Kyoto,739
iOSAppTemplate,tbl00c/iOSAppTemplate,Objective-C,高仿微信,iOS应用开发模板,个人总结。,300,115,tbl00c,李伯坤,User,青岛大学,300
JTHamburgerButton,jonathantribouharet/JTHamburgerButton,Objective-C,An animated hamburger button for iOS.,298,23,jonathantribouharet,Jonathan Tribouharet,User,"Paris, France",941
YYCategories,ibireme/YYCategories,Objective-C,A set of useful categories for Foundation and UIKit.,300,64,ibireme,Yaoyuan,User,"Beijing, China",8253
IOSAnimationDemo,yixiangboy/IOSAnimationDemo,Objective-C,IOS动画总结,296,76,yixiangboy,,User,,560
MBTwitterScroll,starchand/MBTwitterScroll,Objective-C,Recreate Twitter's profile page scrolling animation for UITableView and UIScrollViews.,298,46,starchand,Martin Blampied,User,UK | China,298
react-native-mapbox-gl,mapbox/react-native-mapbox-gl,Objective-C,A Mapbox GL react native module for creating custom maps,295,53,mapbox,Mapbox,Organization,Washington DC,993
MVVM,lizelu/MVVM,Objective-C,一个MVVM架构的iOS工程,292,116,lizelu,Zeluli,User,Beijing China,401
ABFRealmMapView,bigfish24/ABFRealmMapView,Objective-C,Real-time map view clustering for Realm,292,33,bigfish24,Adam Fish,User,San Francisco,292
Hodor,Aufree/Hodor,Objective-C,Simple solution to localize your iOS App.,290,34,Aufree,Paul King,User,"Beijing, China",6864
react-native-blur,react-native-fellowship/react-native-blur,Objective-C,React Native Blur component,291,53,react-native-fellowship,React Native Fellowship,Organization,,1145
CustomWatchFaceTest,hamzasood/CustomWatchFaceTest,Objective-C,Custom watch faces on Apple Watch,292,45,hamzasood,Hamza Sood,User,,447
RBQFetchedResultsController,Roobiq/RBQFetchedResultsController,Objective-C,Drop-in replacement for NSFetchedResultsController backed by Realm.,291,21,Roobiq,Roobiq,Organization,"San Francisco, CA",291
DBMapSelectorViewController,d0ping/DBMapSelectorViewController,Objective-C,This component allows you to select circular map region from the MKMapView.,292,28,d0ping,Denis Bogatyrev,User,,496
adblockfast,rocketshipapps/adblockfast,Objective-C,"A new, faster ad blocker for Chrome, Opera, and iOS 9.",288,38,rocketshipapps,Rocketship,Organization,"Palo Alto, San Francisco",288
Discovery,omergul123/Discovery,Objective-C,A very simple library to discover and retrieve data from nearby devices (even if the peer app works at background).,287,22,omergul123,Ömer Faruk Gül,User,Amsterdam,287
LLSlideMenu,lilei644/LLSlideMenu,Objective-C,This is a spring slide menu for iOS apps - 一个弹性侧滑菜单 ,285,48,lilei644,Li Lei,User,Shen Zhen,401
NYAlertViewController,nealyoung/NYAlertViewController,Objective-C,Highly configurable iOS Alert Views with custom content views,282,36,nealyoung,Nealon Young,User,"San Francisco, California",282
ARTransitionAnimator,AugustRush/ARTransitionAnimator,Objective-C,ARTransitionAnimator is a simple class which custom UIViewController transition animation.,281,27,AugustRush,August,User,ShangHai,1828
SCCatWaitingHUD,SergioChan/SCCatWaitingHUD,Objective-C,:cat: This is a cute and simple loading HUD on iOS :-P 这是一个可爱清新简单的加载HUD控件,280,44,SergioChan,Sergio Chan,User,"Beijing, China",1471
CLTokenInputView,clusterinc/CLTokenInputView,Objective-C,A replica of iOS's native contact bubbles UI,280,34,clusterinc,Cluster Labs,Organization,San Francisco,280
ACPDownload,antoniocasero/ACPDownload,Objective-C,ACPDownload provides a view indicator of your download process,277,44,antoniocasero,Antonio Casero,User,"Berlin, Germany",277
KYWaterWaveView,KittenYang/KYWaterWaveView,Objective-C,实现波浪正弦动画并带有小鱼跳跃溅起水花。A view with water wave animation inside.,276,41,KittenYang,Qitao Yang,User,"Beijing,China",5246
ShadowVPN-iOS,clowwindy/ShadowVPN-iOS,Objective-C,Removed according to regulations.,275,238,clowwindy,clowwindy,User,,1445
YOChartImageKit,yasuoza/YOChartImageKit,Objective-C,Chart image framework for watchOS,274,25,yasuoza,Yasuharu Ozaki,User,Japan,274
ICGVideoTrimmer,itsmeichigo/ICGVideoTrimmer,Objective-C,"A library for quick video trimming, mimicking the behavior of Instagram's",274,33,itsmeichigo,Huong Do,User,,274
GiftCard-iOS,MartinRGB/GiftCard-iOS,Objective-C,Simply Implement dribbble's popular shot.,274,34,MartinRGB,MartinRGB,User,"Beijing,China",3764
SCNavigationControlCenter,SergioChan/SCNavigationControlCenter,Objective-C,This is an advanced navigation control center on iOS that can allow you to navigate to whichever view controller you want. iOS上的改进的导航栏控制中心。,271,33,SergioChan,Sergio Chan,User,"Beijing, China",1471
Eleven,coderyi/Eleven,Objective-C,Eleven Player is a simple powerful video player.use ffmpeg.,271,63,coderyi,coderyi,User,"Beijing,China",2081
EZLayout,jhurray/EZLayout,Objective-C,A new take on iOS layouts using percentages. Goodbye autolayout.,266,15,jhurray,Jeff Hurray,User,,2448
PerformanceBezier,adamwulf/PerformanceBezier,Objective-C,"A small library to dramatically speed up common operations on UIBezierPath, and also bring its functionality closer to NSBezierPath",265,17,adamwulf,Adam Wulf,User,"Tomball, TX",3637
JMActionSheetDescription,leverdeterre/JMActionSheetDescription,Objective-C,"ActionSheet and UIActivityViewController replacement, using a descriptor component.",263,29,leverdeterre,Jérôme Morissard,User,,505
HZPhotoBrowser,chennyhuang/HZPhotoBrowser,Objective-C,"图片浏览器 ,photoBrowser ,新浪微博,picture,pictureBrowser,sina,weibo",262,80,chennyhuang,,User,,262
UICustomActionSheet,pchernovolenko/UICustomActionSheet,Objective-C,UICustomActionSheet,262,29,pchernovolenko,Paul Chernovolenko,User,"Ukraine, Poland",262
AutolayoutExampleWithMasonry,zekunyan/AutolayoutExampleWithMasonry,Objective-C,Autolayout examples with Masonry,261,55,zekunyan,zekunyan,User,Wuhan.Hubei.China,371
Hydro.network,CatchChat/Hydro.network,Objective-C,The most delightful VPN Client,260,31,CatchChat,Catch,Organization,,260
SCSafariPageController,stefanceriu/SCSafariPageController,Objective-C,A page view controller component that reproduces Mobile Safari's tab switching behavior,261,25,stefanceriu,Stefan Ceriu,User,London,261
JDFPeekaboo,JoeFryer/JDFPeekaboo,Objective-C,JDFPeekaboo is a simple class that hides the navigation bar when you scroll.,261,38,JoeFryer,Joe Fryer,User,UK,363
MZFormSheetPresentationController,m1entus/MZFormSheetPresentationController,Objective-C,"MZFormSheetPresentationController provides an alternative to the native iOS UIModalPresentationFormSheet, adding support for iPhone and additional opportunities to setup UIPresentationController size and feel form sheet.",259,35,m1entus,Michał Zaborowski,User,"Cracow, Poland",259
DSLolita,sam408130/DSLolita,Objective-C,模仿微博,有评论,私聊,发微博,点赞等功能,260,109,sam408130,sam DING,User,peking,260
CZPicker,chenzeyu/CZPicker,Objective-C,a picker view shown as a popup for iOS in Objective-C,259,41,chenzeyu,Chen Zeyu,User,Singapore,259
PMKVObserver,postmates/PMKVObserver,Objective-C,A type-safe Swift/ObjC KVO wrapper,259,8,postmates,Postmates Inc.,Organization,"San Francisco, CA",259
gbkui-button-progress-view,Guidebook/gbkui-button-progress-view,Objective-C,Inspired by Apple’s download progress buttons in the app store,258,18,Guidebook,Guidebook,Organization,"San Francisco, CA",258
manong-reading,icepy/manong-reading,Objective-C,《猿已阅》码农周刊iOS客户端,257,53,icepy,,User,安江(China),1212
CTPersistance,casatwy/CTPersistance,Objective-C,"Objective-C Database Persistence Layer with SQLite, your next Persistence Layer!",257,59,casatwy,Casa Taloyum,User,"shanghai, china",801
YZDisplayViewController,iThinkerYZ/YZDisplayViewController,Objective-C,,255,54,iThinkerYZ,iThinker_YZ,User,,255
DQKFreezeWindowView,DianQK/DQKFreezeWindowView,Objective-C,A freeze window effect view for iOS,255,30,DianQK,,User,,501
iOS-Study-Demo,huang303513/iOS-Study-Demo,Objective-C,iOS各种知识点学习、总结、基本每个一个功能点(建议先看readme),252,121,huang303513,黄成都,User,上海,709
LGAlertView,Friend-LGA/LGAlertView,Objective-C,"Customizable implementation of UIAlertViewController, UIAlertView and UIActionSheet. All in one. You can customize every detail. Make AlertView of your dream! :)",252,42,Friend-LGA,Grigory Lutkov,User,Russia,1217
QHDanumuDemo,chenqihui/QHDanumuDemo,Objective-C,弹幕系统实现,251,31,chenqihui,Ryuuku,User,,251
OneLoadingAnimation,iamim2/OneLoadingAnimation,Objective-C,,249,45,iamim2,,User,,249
WWDCTV,azzoor/WWDCTV,Objective-C,Watch the WWDC Videos on your Apple TV.,247,19,azzoor,Aaron Stephenson,User,"Gosford, Australia",247
iOS-Images-Extractor,devcxm/iOS-Images-Extractor,Objective-C,"A Mac app to decode and extract images from iOS apps, support png/jpg/ipa/Assets.car files.",246,52,devcxm,Xiaoming,User,福建 厦门,246
InstantCocoa,khanlou/InstantCocoa,Objective-C,Instant Cocoa is a framework for making iOS apps.,247,6,khanlou,Soroush Khanlou,User,"Brooklyn, NY",247
JMHoledView,leverdeterre/JMHoledView,Objective-C,A view design to be filled with holes ...,242,53,leverdeterre,Jérôme Morissard,User,,505
JKRichTextView,fsjack/JKRichTextView,Objective-C,A more powerful UITextView.,245,21,fsjack,Jackie,User,China,245
SCTableViewCell,SergioChan/SCTableViewCell,Objective-C,:email: Swipe-to-Delete Effects like iOS Native Mail App。一个模仿iOS8中的邮箱里面的cell删除动效以及滑动右侧菜单按钮效果的开源库,244,47,SergioChan,Sergio Chan,User,"Beijing, China",1471
MBCircularProgressBar,MatiBot/MBCircularProgressBar,Objective-C,"A circular, animatable & highly customizable progress bar from the Interface Builder (Objective-C)",243,33,MatiBot,Mati Bot,User,Israel,243
Multiplex,kolinkrewinkel/Multiplex,Objective-C,"Simultaneous editing for Xcode, inspired by Sublime Text.",238,7,kolinkrewinkel,Kolin Krewinkel,User,"Livermore, California",238
IFTTTLaunchImage,IFTTT/IFTTTLaunchImage,Objective-C,Put your asset catalog launch images to work for you.,243,13,IFTTT,IFTTT,Organization,San Francisco,5448
Caramel,CaramelForSwift/Caramel,Objective-C,A portable I/O framework for Swift,229,18,CaramelForSwift,,Organization,,229
CPU-Identifier,hirakujira/CPU-Identifier,Objective-C,Check your A9 chip manufactory,242,40,hirakujira,Hiraku,User,,351
WZFlashButton,SatanWoo/WZFlashButton,Objective-C,A button with flash-like effect,239,25,SatanWoo,SatanWoo,User,China,239
react-native-fbsdk,facebook/react-native-fbsdk,Objective-C,"A wrapper around the iOS Facebook SDK for React Native apps. Provides access to login, sharing, graph requests, etc.",239,46,facebook,Facebook,Organization,"Menlo Park, California",61260
JFMeiTuan,tubie/JFMeiTuan,Objective-C,高仿美团四,239,73,tubie,土鳖不土,User,陆家嘴软件园,239
AppCore,ResearchKit/AppCore,Objective-C,Core code shared by the initial ResearchKit apps.,239,77,ResearchKit,,Organization,,4469
CYLTableViewPlaceHolder,ChenYilong/CYLTableViewPlaceHolder,Objective-C,一行代码完成“空TableView占位视图”管理,240,36,ChenYilong,微博@iOS程序犭袁,User,Beijing China.,8605
QQ,weida-studio/QQ,Objective-C,QQ For iOS code,239,82,weida-studio,,User,BeiJing ChaoYang,239
CoolNavi,ianisme/CoolNavi,Objective-C,简单的代码实现炫酷navigationbar,239,51,ianisme,ian,User,BeiJing,239
HYAwesomeTransition,nathanwhy/HYAwesomeTransition,Objective-C,Custom transition between viewcontrollers,239,36,nathanwhy,nathan,User,"Xiamen(Amoy),China",239
JZMultiChoicesCircleButton,JustinFincher/JZMultiChoicesCircleButton,Objective-C,:radio_button: Multi choice circle button with cool 3d parallax effect,237,27,JustinFincher,JustZht,User,"Changsha, China",237
TLTagsControl,ali312/TLTagsControl,Objective-C,A nice and simple tags input control for iOS,238,42,ali312,,User,,238
yalu,kpwn/yalu,Objective-C,incomplete ios 8.4.1 jailbreak by Kim Jong Cracks (8.4.1 codesign & sandbox bypass w/ LPE to root & untether),236,118,kpwn,,User,,594
MXParallaxHeader,maxep/MXParallaxHeader,Objective-C,Simple parallax header for UIScrollView,233,14,maxep,Maxime,User,"Paris, France",550
DTRichTextEditor,Cocoanetics/DTRichTextEditor,Objective-C,A rich-text editor for iOS,236,24,Cocoanetics,Cocoanetics,Organization,,236
MJAlertView,mayuur/MJAlertView,Objective-C,Simple automatic Dismissible Alert with minor 3D Transforms. Produces an effect similar to Saavn's dismissible Alerts,234,27,mayuur,Mayur Joshi,User,"Ahmedabad, Gujarat",234
chuanke,lookingstars/chuanke,Objective-C,高仿百度传课iOS版,版本号2.4.1.2。/**作者:ljz ; Q Q:863784757 ; 注明:版权所有,转载请注明出处,不可用于其他商业用途。 */,232,132,lookingstars,ljz,User,beijing,1492
Reveal-In-GitHub,lzwjava/Reveal-In-GitHub,Objective-C,"Xcode plugin to let you jump to GitHub History, Blame, PRs, Issues, Notifications of any GitHub repo with one shortcut.",232,14,lzwjava,lzwjava,User,"Beijing, China",775
DMPagerViewController,malcommac/DMPagerViewController,Objective-C,DMPagerViewController is page navigation controller like the one used in Twitter or Tinder,230,31,malcommac,Daniele Margutti,User,"Rome, Italy",1542
PleaseBaoMe,callmewhy/PleaseBaoMe,Objective-C,A useful tool to view SQLite file in Web browser during app running procedure.,228,16,callmewhy,Hyde Wang,User,China,537
react-native-facebook-login,magus/react-native-facebook-login,Objective-C,React Native component wrapping the native Facebook SDK login button and manager,226,51,magus,Noah M. Jorgenson,User,,226
YALField,Yalantis/YALField,Objective-C,Custom Field component with validation for creating easier form-like UI from interface builder.,225,23,Yalantis,Yalantis,Organization,"Ukraine, Dnepropetrovsk",28436
BALoadingView,antiguab/BALoadingView,Objective-C,A UIView that offers several loading animations,220,15,antiguab,Bryan Antigua,User,San Francisco,220
react-native-babel,roman01la/react-native-babel,Objective-C,Configuration to build React Native apps with ES6 using webpack and Babel,218,15,roman01la,Roman Liutikov,User,"Chernihiv, UA",218
FBLikeLayout,gringoireDM/FBLikeLayout,Objective-C,,218,33,gringoireDM,Giuseppe Lanza,User,Naples (Italy),218
DNImagePicker,AwesomeDennis/DNImagePicker,Objective-C,An imagePicker functioned like wechat,218,38,AwesomeDennis,Dennis,User,Shanghai,218
MGJRequestManager,mogujie/MGJRequestManager,Objective-C,一个基于 AFNetworking 2 的灵活好用的 iOS 网络库,215,68,mogujie,蘑菇街,Organization,,2447
SDProgressView,gsdios/SDProgressView,Objective-C,简便美观的进度指示器。Progress Indicator View.,215,86,gsdios,GSD_iOS,User,,2886
HPYZhiHuDaily,hshpy/HPYZhiHuDaily,Objective-C,仿知乎日报 iOS app,215,51,hshpy,hshpy,User,GuangZhou,215
CustomPopAnimation,zys456465111/CustomPopAnimation,Objective-C,,215,70,zys456465111,Jazys,User,,215
TYWaterWaveView,12207480/TYWaterWaveView,Objective-C,水波浪圆形进度控件,采用 CAShapeLayer,CADisplayLink 波浪动画,简单,流畅,214,43,12207480,tany,User,,2740
OCiney-iOS,florent37/OCiney-iOS,Objective-C,,213,44,florent37,Florent CHAMPIGNY,User,France,8281
HSDatePickerViewController,EmilYo/HSDatePickerViewController,Objective-C,Customizable iOS view controller in Mailbox app style for picking date and time. https://twitter.com/kamilpowalowski,211,43,EmilYo,Kamil Powałowski,User,"Poznań, Poland",211
StitchingImage,zhengjinghua/StitchingImage,Objective-C,"iOS 仿微信群组封面拼接控件, 直接拖进项目就可使用, 支持 CocoaPods 安装. WeChat-like, drop-in version, stitching mage ",211,47,zhengjinghua,Monkey Jin,User,Beijing China,421
react-native-tableview,aksonov/react-native-tableview,Objective-C,Native iOS UITableView for React Native with JSON support and more,209,24,aksonov,Pavlo Aksonov,User,"Koper, Slovenia",439
MQRCodeReaderViewController,zhengjinghua/MQRCodeReaderViewController,Objective-C,"iOS 二维码扫描控件, UI 做了优化, 仿造微信, 直接拖进项目就可使用, 支持 CocoaPods 安装. WeChat-like QRCode reader, drop-in version, support for CocoaPods",210,25,zhengjinghua,Monkey Jin,User,Beijing China,421
YSLContainerViewController,y-hryk/YSLContainerViewController,Objective-C,,210,43,y-hryk,y-hryk,User,"Tokyo, Japan",377
WHCNetWorkKit,netyouli/WHCNetWorkKit,Objective-C,WHCNetWorkKit 是http网络请求开源库(支持GET/POST 文件上传 后台文件下载 UIButton UIImageView 控件设置网络图片 网络数据工具json/xml 转模型类对象 网络状态监听),208,62,netyouli,吴海超,User,,208
react-native-image-picker,marcshilling/react-native-image-picker,Objective-C,A React Native module that allows you to use the native UIImagePickerController UI to select a photo from the device library or directly from the camera,201,49,marcshilling,Marc Shilling,User,"Baltimore, MD",201
RunTrace,sx1989827/RunTrace,Objective-C,一个可以实时跟踪分析iOS App视图的小工具,207,55,sx1989827,,User,,207
RMPScrollingMenuBarController,recruit-mp/RMPScrollingMenuBarController,Objective-C,"RMPScrollingMenuBarController has a scrollable menu bar, and multiple view controllers.",206,35,recruit-mp,"Recruit Marketing Partners Co.,Ltd",Organization,"Tokyo, Japan",1167
WebDriverAgent,facebook/WebDriverAgent,Objective-C,A WebDriver server for iOS that runs inside the Simulator.,206,32,facebook,Facebook,Organization,"Menlo Park, California",61260
react-native-animated-demo-tinder,brentvatne/react-native-animated-demo-tinder,Objective-C,React Native 'Animated' API demo,205,23,brentvatne,Brent Vatne,User,"Vancouver, Canada",2353
LLRiseTabBar-iOS,NoCodeNoWife/LLRiseTabBar-iOS,Objective-C,仿淘宝闲鱼的 TabBar,205,61,NoCodeNoWife,,Organization,"Wenzhou, China",205
Calendar,jumartin/Calendar,Objective-C,A set of views and controllers for displaying and scheduling events on iOS,204,34,jumartin,Julien Martin,User,Paris,204
VideoBeautify,xujingzhou/VideoBeautify,Objective-C,"With this APP, you can do all kinds of professional optimising and beautifying to your videos",204,63,xujingzhou,Johnny Xu,User,Xi'an,204
DBImageColorPicker,d0ping/DBImageColorPicker,Objective-C,It's very useful component for determine different colors from your image.,204,15,d0ping,Denis Bogatyrev,User,,496
PFSystemKit,perfaram/PFSystemKit,Objective-C,The iOS/OSX system investigator,202,10,perfaram,Perceval Faramaz,User,"Lausanne (CH), Annecy (FR)",202
BarTintColorOptimizer,IvanRublev/BarTintColorOptimizer,Objective-C,Developer tool that optimizes translucent bar tint color to make the bar's actual color to match the desired color in iOS 7.x and later.,203,1,IvanRublev,Ivan Rublev,User,Worldwide,203
UXKit-Headers-And-Sample,justMaku/UXKit-Headers-And-Sample,Objective-C,,202,12,justMaku,Michał Kałużny,User,"Warsaw, Poland",202
HySubmitTransitionObjective-C,wwdc14/HySubmitTransitionObjective-C,Objective-C,OC版的转场动画,200,43,wwdc14,WWDC14,User,Canton,436
JSDropDownMenu,jsfu/JSDropDownMenu,Objective-C,类似美团的下拉菜单,200,67,jsfu,,User,,200
PagerTab,ming1016/PagerTab,Objective-C, UIScrollView实现滑动转换页面,类似网易云音乐iOS版的页面滑动切换效果,195,33,ming1016,戴铭,User,北京,654
cocoaui,ideawu/cocoaui,Objective-C,Build adaptive UI for iOS Apps with flow-layout and CSS properties,197,43,ideawu,ideawu,User,"Beijing, China",547
NKWatchChart,NilStack/NKWatchChart,Objective-C,A chart library for Apple Watch based on PNChart and ios-charts.,196,16,NilStack,Peng Guo,User,Beijing,196
react-native-overlay,brentvatne/react-native-overlay,Objective-C,An <Overlay /> component that brings content inside to the front of the view regardless of its current position in the component tree.,192,37,brentvatne,Brent Vatne,User,"Vancouver, Canada",2353
ABCIntroView,AdamBCo/ABCIntroView,Objective-C,,194,37,AdamBCo,Adam Cooper,User,"Denver, Colorado",194
LCDebugger,titman/LCDebugger,Objective-C,LCDebugger is a local/remote debugging tools for iOS.,194,18,titman,,User,,194
tvOSBrowser,steventroughtonsmith/tvOSBrowser,Objective-C,tvOS Web Browser sample project (Private API),192,75,steventroughtonsmith,Steven Troughton-Smith,User,"Dublin, Ireland",300
DeformationButton,LuciusLu/DeformationButton,Objective-C,Share loading button.,194,41,LuciusLu,Lucius Lu,User,中国,194
OTLargeImageReader,OpenFibers/OTLargeImageReader,Objective-C,"Generate a thumbnail for a really large image, avoid of a terrible memory peak. ",193,21,OpenFibers,Open Thread,User,HK.,352
Clipy,Clipy/Clipy,Objective-C,Clipboard extension app for Mac OSX.,192,21,Clipy,Clipy Project,Organization,,192
LLBSDMessaging,ddeville/LLBSDMessaging,Objective-C,Interprocess communication on iOS with Berkeley sockets,193,16,ddeville,Damien DeVille,User,"Dublin, Ireland",193
MCCardPickerCollectionViewController,yuhua-chen/MCCardPickerCollectionViewController,Objective-C,A card collection view controller inspired by Facebook People you may know.,192,15,yuhua-chen,Michael Chen,User,Taipei,192
GLPubSub,Glow-Inc/GLPubSub,Objective-C,A wrapper of NSNotificationCenter to make pub sub easier,192,25,Glow-Inc,Glow Inc,Organization,"Shanghai, China",867
Teleport-NSLog,kennethjiang/Teleport-NSLog,Objective-C,Remote logging for iOS. Send NSLog messages to backend server.,190,15,kennethjiang,Kenneth Jiang,User,San Francisco,190
Dixie,Skyscanner/Dixie,Objective-C,"Dixie, turning chaos to your advantage.",190,3,Skyscanner,Skyscanner,Organization,Everywhere,190
YiRefresh,coderyi/YiRefresh,Objective-C,a simple way to use pull-to-refresh.下拉刷新,大道至简,最简单的网络刷新控件,189,40,coderyi,coderyi,User,"Beijing,China",2081
videoshader,snakajima/videoshader,Objective-C,Script-based real-time video processing technology for OpenGL/iOS,186,13,snakajima,Satoshi Nakajima,User,"Seattle WA, USA",186
YRActivityIndicator,solomidSF/YRActivityIndicator,Objective-C,"Fancy, highly customizable activity indicator that is using cubic Bezier for animation.",187,25,solomidSF,Yuri R.,User,,187
DXCustomCallout-ObjC,s3lvin/DXCustomCallout-ObjC,Objective-C,A simpler approach to CustomCallouts for MKMapview,187,25,s3lvin,,User,,187
SDRefreshView,gsdios/SDRefreshView,Objective-C,简单易用的上拉和下拉刷新(多版本细节适配)。Pull To Refresh.,186,81,gsdios,GSD_iOS,User,,2886
SimpleMemo,likumb/SimpleMemo,Objective-C,已上架应用“易便签”的源代码,186,41,likumb,Jun Li,User,Beijing China,186
HJCarouselDemo,panghaijiao/HJCarouselDemo,Objective-C,,186,56,panghaijiao,panghaijiao,User,shanghai,290
JxbLovelyLogin,JxbSir/JxbLovelyLogin,Objective-C,一个可爱的登陆界面,185,61,JxbSir,Peter Jin,User,"Hangzhou, Zhejiang, China",551
HardCoreData,Krivoblotsky/HardCoreData,Objective-C,CoreData stack and controller that will never block UI thread,184,19,Krivoblotsky,Serg Krivoblotsky,User,Kyiv,184
SCCinemaAnimation,SergioChan/SCCinemaAnimation,Objective-C,:movie_camera: An iOS native implementation of a Cinema Animation Application. See more at https://dribbble.com/shots/2339238-Animation-for-Cinema-Application. iOS上电影购票的动效实现,183,30,SergioChan,Sergio Chan,User,"Beijing, China",1471
MLLabel,molon/MLLabel,Objective-C,UILabel with TextKit. Support Link and Expression. (iOS 7+),183,34,molon,molon,User,"Nanjing, China",338
KLParallaxView,klop/KLParallaxView,Objective-C,KLParallaxView is an Objective-C UIView subclass that imitates Apple TV's parallax effect.,182,20,klop,,User,San Francisco,182
XMChatBarExample,ws00801526/XMChatBarExample,Objective-C,模仿微信聊天输入框,181,48,ws00801526,XMFraker,User,,181
RxLabel,Roxasora/RxLabel,Objective-C,"a custom weico like label that could detect url and replace it with a button just like weico or vvebo, using coreText",180,23,Roxasora,青年李大猫,User,,621
DraggableYoutubeFloatingVideo,vizllx/DraggableYoutubeFloatingVideo,Objective-C,"This demo app will animate the view just like Youtube mobile app, while tapping on video a UIView pops up from right corner of the screen and the view can be dragged to right corner through Pan Gesture and more features are there as Youtube iOS app . The whole design is done with Auto Layout and it is compatible with iOS 6 too. No need to worry about screen size as it will run smoothly on any device size iPhone 4s to iPhone 6 Plus",180,37,vizllx,Sandeep Mukherjee,User,"Kolkata,India",180
PPDragDropBadgeView,smallmuou/PPDragDropBadgeView,Objective-C,PPDragDropBadgeView is a badge view which able to drag and drop. Just like QQ 5.0 badge view.,180,50,smallmuou,smallmuou,User,China-Fuzhou,180
VCFloatingActionButton,gizmoboy7/VCFloatingActionButton,Objective-C,A Floating Action Button just like Google inbox for iOS ,179,42,gizmoboy7,Giridhar,User,Chennai,179
YCRefreshControl,LiYueChun/YCRefreshControl,Objective-C,"One based on UIScrollView lightweight, easy to use on the drop-down refresh.",179,24,LiYueChun,黎跃春,User,北京市海淀区,179
HUMSlider,justhum/HUMSlider,Objective-C,A slider control with auto-appearing ticks and saturating images at each end. Straight from the codebase of Hum.,176,21,justhum,"Just Hum, LLC",Organization,The Midwest™,176
TrustKit,datatheorem/TrustKit,Objective-C,Effortless and universal SSL pinning for iOS and OS X.,179,15,datatheorem,Data Theorem,Organization,San Francisco Bay Area,179
cordova-plugin-apple-watch,leecrossley/cordova-plugin-apple-watch,Objective-C,Cordova / PhoneGap Apple Watch Plugin for Apache Cordova,177,21,leecrossley,Lee Crossley,User,Manchester,177
BSErrorMessageView,Beniamiiin/BSErrorMessageView,Objective-C,Error message view for text field,179,23,Beniamiiin,Beniamin,User,Russia,179
UIKitDebugging,steipete/UIKitDebugging,Objective-C,A set of files that enables various debug flags in UIKit,178,6,steipete,Peter Steinberger,User,"Vienna, Austria",178
PLCameraStreamingKit,pili-engineering/PLCameraStreamingKit,Objective-C,"Pili RTMP Streaming SDK for iOS, H.264 and AAC hardware encoding supported. Camera and Microphone as input source.",178,56,pili-engineering,Pili Streaming Cloud,Organization,"San Francisco, Shanghai, Beijing, Hangzhou, Shenzhen, Singapore, Sydney",178
DropMenu,edwinbosire/DropMenu,Objective-C,A menu implementation with a slide in menu similar to Medium's menu.,178,14,edwinbosire,Edwin B,User,London,178
CircleProgressBar,Eclair/CircleProgressBar,Objective-C,iOS Circle Progress Bar,177,32,Eclair,Cherkashin Andrey,User,"Redmond, WA",177
Tuna,dealforest/Tuna,Objective-C,Xcode plugin that provides easy set breakpoint with action.,177,9,dealforest,Toshihiro Morimoto,User,Tokyo,177
KYTilePhotoLayout,KittenYang/KYTilePhotoLayout,Objective-C,A UICollectionViewLayout with a really interesting image layout algorithm.,176,19,KittenYang,Qitao Yang,User,"Beijing,China",5246
BYDailyNews,bassamyan/BYDailyNews,Objective-C,,176,71,bassamyan,bassam,User,"HangZhou , China",176
CCNStatusItem,phranck/CCNStatusItem,Objective-C,CCNStatusItem is a subclass of NSObject to act as a custom view for NSStatusItem. It supports a customizable statusItemWindow handling any viewController for presenting the content.,175,19,phranck,Frank Gregor,User,"Bregenz, Austria",175
WHChartView,wongkoo/WHChartView,Objective-C,"WHChart is a subclass of UIView, it can display histogram and line chart.",177,25,wongkoo,ZhenHui Wang,User,"HangZhou,China",177
LGPlusButtonsView,Friend-LGA/LGPlusButtonsView,Objective-C,"iOS implementation of Floating Action Button (Google Plus Button, fab), that shows more options",173,39,Friend-LGA,Grigory Lutkov,User,Russia,1217
Stencil,samdods/Stencil,Objective-C,A plugin for Xcode allowing you to easily create custom file templates,173,8,samdods,@dodsios,User,London,173
Design-Pattern-For-iOS,huang303513/Design-Pattern-For-iOS,Objective-C,IOS设计模式探索(配合大话设计模式学习),173,57,huang303513,黄成都,User,上海,709
JSKTimerView,jeffkibuule/JSKTimerView,Objective-C,"A simple custom UIView that acts as a self-contained, animating timer.",173,5,jeffkibuule,Joefrey Kibuule,User,"Santa Clara, CA",173
GCD-OperationQueue-Exploration,huang303513/GCD-OperationQueue-Exploration,Objective-C,GCD系列、Operation、KVC、KVO、Notification、响应链、自定义MJExtension、图片本地缓存、,173,45,huang303513,黄成都,User,上海,709
swiftmi-app,feiin/swiftmi-app,Objective-C,swiftmi.com app版本 采用Swift实现,173,52,feiin,feiin,User,Chengdu,173
LxTabBarController,DeveloperLx/LxTabBarController,Objective-C,Inherited from UITabBarController. LxTabBarController add a powerful gesture you can switch view controller by sweeping screen from left the right or right to left.,173,17,DeveloperLx,Developer.Lx,User,"Beijing, China.",1801
Objective-C-RSA,ideawu/Objective-C-RSA,Objective-C,Doing RSA encryption and decryption with Objective-C on iOS,172,48,ideawu,ideawu,User,"Beijing, China",547
react-native-chart,onefold/react-native-chart,Objective-C,,171,37,onefold,onefold,Organization,Menlo Park,171
Exis,exis-io/Exis,Objective-C,"Exis client libraries, sample projects, and demos.",168,6,exis-io,Exis,Organization,"Madison, WI",168
RCTRefreshControl,Shuangzuan/RCTRefreshControl,Objective-C,A pull down to refresh control for react native.,172,33,Shuangzuan,Shuangzuan He,User,,172
BuildSettingExtractor,dempseyatgithub/BuildSettingExtractor,Objective-C,Extracts the build settings of an Xcode project into xcconfig build configuration files.,171,15,dempseyatgithub,James Dempsey,User,"San Jose, CA",171
ios-simulator-app-installer,stepanhruda/ios-simulator-app-installer,Objective-C,Create an OS X app that installs your iOS app into iOS Simulator,171,9,stepanhruda,Stepan Hruda,User,New York,171
Hearthstone-Deck-Tracker-Mac,Jeswang/Hearthstone-Deck-Tracker-Mac,Objective-C,A Deck Tracker for Mac OS X.,170,23,Jeswang,Jesse Wang,User,Beijing,170
UINavigationItem-Loading,Just-/UINavigationItem-Loading,Objective-C,Simple category to show a loading status in a navigation bar in place of left/right items or title.,169,19,Just-,Anton,User,,169
Olla4iOS,nonstriater/Olla4iOS,Objective-C,iOS framework,168,14,nonstriater,移动开发小冉,User,,168
YSLTransitionAnimator,y-hryk/YSLTransitionAnimator,Objective-C,,167,21,y-hryk,y-hryk,User,"Tokyo, Japan",377
Coding-iPad,Coding/Coding-iPad,Objective-C,Coding iPad 客户端源代码 ,168,62,Coding,Coding,Organization,In the Cloud,979
KrVideoPlayerPlus,PlutusCat/KrVideoPlayerPlus,Objective-C,根据36Kr开源的KRVideoPlayer 进行修改和补充实现一个轻量级的视频播放器,满足大部分视频播放需求,167,60,PlutusCat,海洋iOS,User,Beijing China,167
NVBnbCollectionView,ninjaprox/NVBnbCollectionView,Objective-C,A Airbnb-inspired collection view,167,15,ninjaprox,Nguyen Vinh,User,,2498
JSImagePickerController,jacobsieradzki/JSImagePickerController,Objective-C,An photo/image picker controller that resembles the style of the image picker in iOS 8's messages app.,166,41,jacobsieradzki,Jake Sieradzki,User,"London, UK",166
luft,k0nserv/luft,Objective-C,The Xcode Plugin that helps you write lighter view controllers,166,6,k0nserv,Hugo Tunius,User,"Edinburgh, Scotland",166
NirKxMenu,zpz1237/NirKxMenu,Objective-C,UI高度可定制化KxMenu弹出菜单,165,32,zpz1237,我偏笑_NSNirvana,User,,1280
MJDownload,CoderMJLee/MJDownload,Objective-C,A delightful framework for multifile resumable broken downloads,165,36,CoderMJLee,M了个J,User,"Guangzhou, China",289
YKLineChartView,chenyk0317/YKLineChartView,Objective-C,Stock chart framework for iOS,164,22,chenyk0317,,User,"Beijing, China",164
YXCollectionView,yixiangboy/YXCollectionView,Objective-C,UICollection学习总结以及案例集合,161,34,yixiangboy,,User,,560
SWBufferedToast,sfwalsh/SWBufferedToast,Objective-C,A simple UI class for presenting useful information to the user.,161,13,sfwalsh,Stephen Walsh,User,Ireland,161
Universal-Jump-ViewController,HHuiHao/Universal-Jump-ViewController,Objective-C,,161,53,HHuiHao,Huang Huihao,User,sz,161
XTTableDatasourceDelegateSeparation,Akateason/XTTableDatasourceDelegateSeparation,Objective-C,XTTableDatasourceDelegateSeparation,159,36,Akateason,teason,User,Shanghai,267
SingleLineInput,diogomaximo/SingleLineInput,Objective-C,A single line textfield implementation with Float Label Animation,160,18,diogomaximo,Diogo,User,"Rio de Janeiro,Brazil",160
SSHMole,OpenFibers/SSHMole,Objective-C,An ssh dynamic forwarding tool for OSX.,159,15,OpenFibers,Open Thread,User,HK.,352
NortalTechDay,mikkoj/NortalTechDay,Objective-C,iOS Conference App made with React Native.,159,23,mikkoj,Mikko Junnila,User,Finland,159
TMusic,jkios/TMusic,Objective-C,代码很烂很烂。。。阅读请做好心理准备。。。,158,32,jkios,JK_iOS,User,BeiJing,158
VAProgressCircle,MitchellMalleo/VAProgressCircle,Objective-C,iOS custom UIView for loading content,156,16,MitchellMalleo,Mitchell,User,United States,156
MarkupKit,gk-brown/MarkupKit,Objective-C,Declarative UI for iOS applications,156,8,gk-brown,Greg Brown,User,,156
MLInputDodger,molon/MLInputDodger,Objective-C,Keyboard dodger,155,20,molon,molon,User,"Nanjing, China",338
JZStackedView,zammitjames/JZStackedView,Objective-C,3D Stacked View control for iOS,155,20,zammitjames,James Zammit,User,Malta,155
XMShareModule,xumeng/XMShareModule,Objective-C,iOS快速简单集成国内三大平台分享,155,57,xumeng,Amon Xu,User,Shenzhen.China,155
google-toolbox-for-mac,google/google-toolbox-for-mac,Objective-C,Google Toolbox for Mac,153,37,google,Google,Organization,,70104
mongodbapp,gcollazo/mongodbapp,Objective-C,The easiest way to get started with MongoDB on the Mac,153,12,gcollazo,Giovanni Collazo,User,"San Juan, Puerto Rico",153
INBSecurityCrypto,Daniate/INBSecurityCrypto,Objective-C,,154,41,Daniate,Daniate,User,中国上海(Shanghai China),154
CoreFMDB,CharlinFeng/CoreFMDB,Objective-C,One Key Database Operations,154,34,CharlinFeng,时点软件 冯成林,User,APP业务合作QQ:2113171554,4323
CRMediaPickerController,chroman/CRMediaPickerController,Objective-C,An easy-to-use UIImagePickerController replacement for picking Images and Videos.,154,26,chroman,Christian Roman,User,Mexico,154
OffLineCache,ShelinShelin/OffLineCache,Objective-C, About Offline caching ideas and The use of AFN,153,67,ShelinShelin,Shelin,User,BeiJing,China,153
LRSmartTextField,LR-Studio/LRSmartTextField,Objective-C,"UITextField with floating label, validation and input mask. Keywords: TextField text field float labeled masked",153,28,LR-Studio,,Organization,,153
CoreRefresh,CharlinFeng/CoreRefresh,Objective-C,核心上拉下拉刷新控件,高性能、与众不同!,153,53,CharlinFeng,时点软件 冯成林,User,APP业务合作QQ:2113171554,4323
CopyIssue-Xcode-Plugin,hanton/CopyIssue-Xcode-Plugin,Objective-C,"Makes Copy Xcode Issue Description Easily, Support Finding Answers in Google or StackOverflow Directly",152,20,hanton,Hanton,User,,669
XHAmazingLoading,xhzengAIB/XHAmazingLoading,Objective-C,"XHAmazingLoading indicators or load view based on CAReplicatorLayer class and CoreAnimation, like skype / music.",153,18,xhzengAIB,曾宪华,User,"Guangzhou, China",564
DetailsMatter,krzysztofzablocki/DetailsMatter,Objective-C,,151,14,krzysztofzablocki,Krzysztof Zabłocki,User,"Warsaw, Poland",637
LCTabBarController,LeoiOS/LCTabBarController,Objective-C,A amazing and highly customized tabBarController! You could almost customize 100% of the properties with LCTabBarController!,149,23,LeoiOS,call me Super Liu!,User,,527
BasicChatUIOnAppleWatch,WeeTom/BasicChatUIOnAppleWatch,Objective-C,This is a simple demo for those who want to make apps chatting on apple watch,150,21,WeeTom,WeeTom Wang,User,Shanghai,150
Polymer,LoganWright/Polymer,Objective-C,Endpoint focused networking,150,7,LoganWright,Logan Wright,User,Boston,680
You-Can-Do-It,orta/You-Can-Do-It,Objective-C,"Is learning a new language getting you down? Worry not, this Xcode plugin will keep you motivated.",149,2,orta,Orta,User,NYC / Huddersfield,351
react-native-webpack-starter-kit,jhabdas/react-native-webpack-starter-kit,Objective-C,"Future-facing starter kit for React Native apps using ES6/7, Webpack and Babel 6",148,22,jhabdas,Josh Habdas,User,"Chicago, IL, USA",148
Tunnelblick,Tunnelblick/Tunnelblick,Objective-C,The official Tunnelbick website is at https://tunnelblick.net; the official Tunnelblick GitHub repository is at https://github.com/Tunnelblick,148,21,Tunnelblick,Tunnelblick,Organization,,148
CoreStatus,CharlinFeng/CoreStatus,Objective-C,网络状态监听者:可监听2G/3G/4G,149,55,CharlinFeng,时点软件 冯成林,User,APP业务合作QQ:2113171554,4323
JZTableViewRowAction,JazysYu/JZTableViewRowAction,Objective-C,Using UITableViewRowAction on iOS >= 5.0,148,42,JazysYu,Jazys,User,,774
JKDBModel,Halley-Wong/JKDBModel,Objective-C,FMDB的封装,极大简化你的数据库操作,对于自己的扩展也非常简单,146,42,Halley-Wong,,User,,146
ZWIntroductionViewController,squarezw/ZWIntroductionViewController,Objective-C,A simple custom app introductions and tutorials.,146,74,squarezw,square,User,,146
CoreLaunch,CharlinFeng/CoreLaunch,Objective-C,一键启动动画,146,51,CharlinFeng,时点软件 冯成林,User,APP业务合作QQ:2113171554,4323
JVTransitionAnimator,JV17/JVTransitionAnimator,Objective-C,A simple transition animator which allows you to perform custom animation when presenting an UIViewController.,146,14,JV17,Jorge Valbuena,User,"Toronto, ON",485
TYSlidePageScrollView,12207480/TYSlidePageScrollView,Objective-C,"An easy solution to page views or controllers with header and page tabbar,footer",145,39,12207480,tany,User,,2740
ElemeProject,samlaudev/ElemeProject,Objective-C,模仿一个O2O App:饿了么,145,72,samlaudev,Sam Lau,User,"Guang Zhou, China",145
Follower,mamaral/Follower,Objective-C,"Track trip distance, speed, altitude, and duration like a boss.",145,31,mamaral,Mike Amaral,User,New Hampshire,4204
ZLXCodeLine,MakeZL/ZLXCodeLine,Objective-C,This is a record of the number of lines of code - Xcode,144,35,MakeZL,MakeZL,User,Beijing China.,990
MVVMFramework,lovemo/MVVMFramework,Objective-C,(OC版)总结整理下一个快速开发框架,分离控制器中创建tableView和collectionView的代码,已加入cell自适应高度,降低代码耦合,提高开发效率。,142,32,lovemo,,User,,142
Popup,miscavage/Popup,Objective-C,Popup is a versatile alert view that allows you to customize every aspect of it. ,144,21,miscavage,Mark Miscavage,User,"New York, NY",144
IOS-Developer-library-Chinese,wang820203420/IOS-Developer-library-Chinese,Objective-C,,144,27,wang820203420,Wang,User,,144
XLPlainFlowLayout,HebeTienCoder/XLPlainFlowLayout,Objective-C,可以让UICollectionView的header也支持悬停效果,类似于tableView的Plain风格,144,48,HebeTienCoder,大亮,User,China Hangzhou,144
react-native-background-geolocation,transistorsoft/react-native-background-geolocation,Objective-C,"Sophisticated, battery-conscious background-geolocation with motion-detection",143,21,transistorsoft,Transistor Software,Organization,"Montreal, QC",143
HDNotificationView,nhdang103/HDNotificationView,Objective-C,,143,22,nhdang103,Nguyen Hai Dang,User,Vietnam,143
ios-app,LocativeHQ/ios-app,Objective-C,"The Locative iOS app. Helping you to get the best out of your automated home, geofencing, iBeacons at your hand.",142,17,LocativeHQ,Locative,Organization,"Sydney, Australia",142
ADo_GuideView,Nododo/ADo_GuideView,Objective-C,,142,31,Nododo,DWX,User,BeiJing,142
PreciseCoverage,zats/PreciseCoverage,Objective-C,Make Xcode code coverage more informative,142,6,zats,Sash Zats,User,San Francisco,283
csshx,brockgr/csshx,Objective-C,Automatically exported from code.google.com/p/csshx,141,22,brockgr,Gavin Brock,User,Switzerland,141
ATAppUpdater,apptality/ATAppUpdater,Objective-C,Checks if there is a newer version of your app in the AppStore and alerts the user to update.,140,29,apptality,Apptality,Organization,"Cape Town, South Africa",140
apprtc-ios,ISBX/apprtc-ios,Objective-C,A native iOS video chat app based on WebRTC,139,54,ISBX,ISBX,Organization,Los Angeles,139
SKPanoramaView,sachinkesiraju/SKPanoramaView,Objective-C,Create beautiful animated panorama views. Inspired by the intro view on the LinkedIn iOS app.,141,17,sachinkesiraju,Sachin Kesiraju,User,"San Francisco, CA",141
VIPhotoView,vitoziv/VIPhotoView,Objective-C,View a photo with simple and basic interactive gesture.,141,22,vitoziv,Vito,User,Xiamen China,141
tvOS-headers,neonichu/tvOS-headers,Objective-C,class-dump of tvOS headers from Xcode 7.1 beta 1,140,8,neonichu,Boris Bügling,User,"Berlin, Germany",1957
CorePagesView,CharlinFeng/CorePagesView,Objective-C,列表滚动视图,性能王者!,140,46,CharlinFeng,时点软件 冯成林,User,APP业务合作QQ:2113171554,4323
cortado,lazerwalker/cortado,Objective-C,Caffeine tracking for everyone,140,13,lazerwalker,Mike,User,"Cambridge, MA",140
LCActionSheet,LeoiOS/LCActionSheet,Objective-C,一个简约优雅的ActionSheet。微信和新浪微博也是采取类似的ActionSheet。,139,45,LeoiOS,call me Super Liu!,User,,527
HorizonSDK-iOS,HorizonCamera/HorizonSDK-iOS,Objective-C,HorizonSDK for iOS,140,6,HorizonCamera,Horizon Video Technologies,Organization,,140
Sheriff,gemr/Sheriff,Objective-C,Badgify anything.,140,16,gemr,gemr,Organization,"Portsmouth, NH",140
WFNotificationCenter,DeskConnect/WFNotificationCenter,Objective-C,Notifications for app groups,140,7,DeskConnect,DeskConnect,Organization,"San Francisco, CA",1470
example-react-native-redux,alinz/example-react-native-redux,Objective-C,react native redux counter example,140,17,alinz,Ali Najafizadeh,User,Canada,140
UILabel-AutomaticWriting,alexruperez/UILabel-AutomaticWriting,Objective-C,UILabel category with automatic writing animation.,139,10,alexruperez,Alex Rupérez,User,Madrid,139
MVVMDemo,coderyi/MVVMDemo,Objective-C,MVVM应用在iOS的Demo,主要通过经典的TableView来演示,138,40,coderyi,coderyi,User,"Beijing,China",2081
PKYStepper,parakeety/PKYStepper,Objective-C,UIControl with label & stepper combined,138,16,parakeety,yohei okada,User,San Francisco,138
ScheduleKit,gservera/ScheduleKit,Objective-C,ScheduleKit is a new graphical event management framework for Mac OS X that provides a great way to display a set of event-like objects (with basically starting date and duration properties) either a day or week based timetable.,138,21,gservera,Guillem Servera,User,"Palma, Illes Balears",138
DOPNavbarMenu,dopcn/DOPNavbarMenu,Objective-C,expand navigationbar with more items,137,29,dopcn,Weizhou,User,,137
react-native-keyboardevents,johanneslumpe/react-native-keyboardevents,Objective-C,Keyboard events for react-native,136,18,johanneslumpe,Johannes Lumpe,User,,268
APOfflineReverseGeocoding,Alterplay/APOfflineReverseGeocoding,Objective-C,Offline reverse geocoding library written in Objective-C,136,11,Alterplay,Alterplay,Organization,"Kiev, Ukraine",136
HACClusterMapViewController,litoarias/HACClusterMapViewController,Objective-C,HACClusterMapViewController class is written in Objective-C and facilitates the use of maps when they have many pins that show.,136,12,litoarias,Lito,User,Spain,248
YLSwipeLockView,XiaoYulong/YLSwipeLockView,Objective-C,a swipe password view to unlock an application written in objective-c.,133,31,XiaoYulong,Xiao Yulong,User,"Shanghai, China",133
CTJSBridge,casatwy/CTJSBridge,Objective-C,a javascript bridge for iOS app to interact with h5 web view,135,35,casatwy,Casa Taloyum,User,"shanghai, china",801
YYAsyncLayer,ibireme/YYAsyncLayer,Objective-C,iOS utility classes for asynchronous rendering and display.,134,22,ibireme,Yaoyuan,User,"Beijing, China",8253
QLImageset,qfish/QLImageset,Objective-C,"QuickLook generator for package or directory with extension likes imageset, appiconset and launchimage.",134,9,qfish,QFish,User,"Beijing, China",840
MacGesture,CodeFalling/MacGesture,Objective-C,Global mouse gesture for Mac OS X,133,20,CodeFalling,She Jinxin,User,"Wuxi, China",395
HYBLoopScrollView,CoderJackyHuang/HYBLoopScrollView,Objective-C,A strong and convenience control for ad loop scroll,134,32,CoderJackyHuang,JackyHuang,User,中国.北京.北京市.朝阳区,134
react-native-meteor,hharnisc/react-native-meteor,Objective-C,An example that brings Meteor and React Native together (via Objective-DDP and the React Native Bridge),133,6,hharnisc,Harrison Harnisch,User,Sunnyvale,261
react-native-fs,johanneslumpe/react-native-fs,Objective-C,Native filesystem access for react-native,132,21,johanneslumpe,Johannes Lumpe,User,,268
QRWeiXinDemo,lcddhr/QRWeiXinDemo,Objective-C,防微信二维码扫描,中间透明区域,132,51,lcddhr,liuchendi,User,"Guangzhou,China",132
YYDispatchQueuePool,ibireme/YYDispatchQueuePool,Objective-C,iOS utility class to manage global dispatch queue.,131,22,ibireme,Yaoyuan,User,"Beijing, China",8253
YYKeyboardManager,ibireme/YYKeyboardManager,Objective-C,iOS utility class allows you to access keyboard view and track keyboard animation.,131,20,ibireme,Yaoyuan,User,"Beijing, China",8253
react-native-quick-actions,jordanbyron/react-native-quick-actions,Objective-C,A react-native interface for Touch 3D home screen quick actions,129,13,jordanbyron,Jordan Byron,User,"New Haven, Connecticut",129
WatchRingGenerator,radianttap/WatchRingGenerator,Objective-C,"iOS app to generate series of PNG images, to be used in WatchKit apps",131,5,radianttap,Aleksandar Vacić,User,"Belgrade, Serbia",131
CoreNewFeatureVC,CharlinFeng/CoreNewFeatureVC,Objective-C,版本新特性,131,58,CharlinFeng,时点软件 冯成林,User,APP业务合作QQ:2113171554,4323
JHCellConfig,JC-Hu/JHCellConfig,Objective-C,"Flexible way to build a UITableView contains different kinds of cells, without switch...case, super easy to modify.- 一种十分灵活易变的适用于创建有多种cell的UITableView的方法,不需要使用switch...case,在调整不同种cell的顺序、及增删某种cell时极其方便",130,33,JC-Hu,Jason Hu 胡竞尘,User,"Beijing,China",130
cocotron,cjwl/cocotron,Objective-C,The Cocotron,129,36,cjwl,Christopher Lloyd,User,,129
FDSlideBar,fergusding/FDSlideBar,Objective-C,A custom slide bar like the top slide menu of NTES news client used in iOS.,130,42,fergusding,,User,,130
whatsapp-ios,rcmcastro/whatsapp-ios,Objective-C,A simple message UI library similar to WhatsApp app,129,25,rcmcastro,,User,,129
SlideMenu3D,hunk/SlideMenu3D,Objective-C,A small class for lateral menu with 3D effect,129,27,hunk,Edgar García @hunk,User,Mx,129
react-native-activity-view,naoufal/react-native-activity-view,Objective-C,iOS share and action sheets for React Native,129,16,naoufal,Naoufal Kadhom,User,"Montreal, Canada",235
LCDownloadManager,LeoiOS/LCDownloadManager,Objective-C,一个简单易用的下载助手。基于AFN,实现断点续传,采取Block方式回调下载进度、文件大小、下载是否完成等。,129,49,LeoiOS,call me Super Liu!,User,,527
react-native-meteor-websocket-polyfill,hharnisc/react-native-meteor-websocket-polyfill,Objective-C,An example that brings Meteor and React Native together (via WebSocket polyfill),128,7,hharnisc,Harrison Harnisch,User,Sunnyvale,261
ffmpeg-avplayer-for-ios-tvos,iMoreApps/ffmpeg-avplayer-for-ios-tvos,Objective-C,A tiny but powerful iOS and Apple TV OS av player framework that's based on the FFmpeg library.,128,46,iMoreApps,imoreapps,User,China,128
CorePhotoPickerVCManager,CharlinFeng/CorePhotoPickerVCManager,Objective-C,大统一的多功能照片选取器,集成拍摄,单选,多选。,127,34,CharlinFeng,时点软件 冯成林,User,APP业务合作QQ:2113171554,4323
ResponsiveLabel,hsusmita/ResponsiveLabel,Objective-C,,127,21,hsusmita,hsusmita,User,Noida,127
UUPhotoActionSheet,zhangyu9050/UUPhotoActionSheet,Objective-C,,127,27,zhangyu9050,,User,Chengdu,127
NSString-Hash,liufan321/NSString-Hash,Objective-C,The extension method for NSString Hash,127,22,liufan321,Fan Liu,User,China,960
PARTagPicker,paulrolfe/PARTagPicker,Objective-C,This pod provides a view controller for choosing and creating tags in the style of wordpress or tumblr.,127,25,paulrolfe,Paul Rolfe,User,"Providence, RI",127
STClock,zhenlintie/STClock,Objective-C,仿锤子时钟,127,33,zhenlintie,sTeven,User,,127
JTProgressHUD,kubatru/JTProgressHUD,Objective-C,HUD designed to show YOUR views (eg. UIImageView animations) in the HUD style with one line of code.,126,18,kubatru,Jakub Truhlář,User,"Prague, Czech Republic",333
SXPhotoShow,dsxNiubility/SXPhotoShow,Objective-C,A photo set use three diy layout.,126,46,dsxNiubility,董铂然,User,Beijing-Wangjing,2436
Layer-Parse-iOS-Example,layerhq/Layer-Parse-iOS-Example,Objective-C,This is a sample app that integrates Layer and Atlas with Parse.,126,15,layerhq,Layer,Organization,"San Francisco, CA",254
YCXMenuDemo_ObjC,Aster0id/YCXMenuDemo_ObjC,Objective-C,`TCXMenu` is an easy-to-use menu.,126,33,Aster0id,Aster0id,User,China,126
M80ImageMerger,xiangwangfeng/M80ImageMerger,Objective-C,截图自动拼接小工具,126,35,xiangwangfeng,M80,User,Hangzhou China,126
iOS-Echarts,Pluto-Y/iOS-Echarts,Objective-C,,126,22,Pluto-Y,PlutoY,User,,126
Ouroboros,Draveness/Ouroboros,Objective-C,:snake: ObjectiveC library for magical scroll interactions.,125,4,Draveness,Draveness,User,Beijing China,2863
realm-browser-osx,realm/realm-browser-osx,Objective-C,Realm Browser is a Mac OS X utility to open and modify realm database files.,125,10,realm,Realm,Organization,,3363
LocationChat,relatedcode/LocationChat,Objective-C,"This is a full native iPhone app to create realtime, location based group or private chat with Parse and Firebase.",124,42,relatedcode,Related Code,User,Budapest,124
iOS9Sample-Photos,CoderMJLee/iOS9Sample-Photos,Objective-C,介绍Photos.framework的常见功能:创建自定义相册、保存图片到自定义相册、搜索所有相册的图片,124,29,CoderMJLee,M了个J,User,"Guangzhou, China",289
LGSublimationView,lukegeiger/LGSublimationView,Objective-C,"(Objective-C Version) The LGSublimationView is a view that has a cool paging animation on its UIScrollView. The effect it gives off is that there are views behind the scroll view that don't scroll with the scroll view. Rather, when the scroll view pages, they cross dissolve into one another",123,24,lukegeiger,Luke Geiger,User,New York City | Detroit,434
DDRichText,daiweilai/DDRichText,Objective-C,"This Framework is forked from https://github.com/TigerWf/WFCoretext . Just like Weixin Moment and Weibo RichText. On the base of original lib, Add many new features and make it easier to use",123,32,daiweilai,David Day,User,"Chengdu,China",123
teleport,abyssoft/teleport,Objective-C,Virtual KVM for OS X,123,28,abyssoft,Julien,User,San Francisco,123
Swimat,Jintin/Swimat,Objective-C,An XCode formatter plug-in to format your swift code.,122,8,Jintin,Jintin,User,"Taipei, Taiwan",122
LLDB-Is-It-Not,alloy/LLDB-Is-It-Not,Objective-C,Xcode plugin to load project specific .lldbinit,122,2,alloy,Eloy Durán,User,"Amsterdam, the Netherlands",122
PaperKit,1amageek/PaperKit,Objective-C,PaperKit is like Paper app of Facebook,121,11,1amageek,1_am_a_geek,User,Japan,121
UzysAnimatedGifLoadMore,uzysjung/UzysAnimatedGifLoadMore,Objective-C,Add LoadMore using animated GIF to any scrollView with just simple code,121,10,uzysjung,Jaehoon Jung,User,Korea,121
XLSlidingContainer,xmartlabs/XLSlidingContainer,Objective-C,XLSlidingContainer is a custom container controller that embeds two independent view controllers allowing to easily maximize any of them using gestures.,120,10,xmartlabs,XMARTLABS,Organization,Uruguay,2906
TaskSwitcherDemo,Glow-Inc/TaskSwitcherDemo,Objective-C,iOS 9 task switcher animation demo,119,21,Glow-Inc,Glow Inc,Organization,"Shanghai, China",867
HySideScrollingImagePicker,wwdc14/HySideScrollingImagePicker,Objective-C,CustomActionSheet,119,34,wwdc14,WWDC14,User,Canton,436
boot2docker-status,nickgartmann/boot2docker-status,Objective-C,Status bar application to manage the state of your Boot2Docker VM,119,4,nickgartmann,Nick Gartmann,User,"Milwaukee, WI",119
WechatShortVideo,AliThink/WechatShortVideo,Objective-C,Short Video Capture like Wechat App,118,52,AliThink,AliThink,User,,118
react-native-effects-view,voronianski/react-native-effects-view,Objective-C,Use iOS8 UIVisualEffectViews's blur and vibrancy with ReactNative,118,10,voronianski,Dmitri Voronianski,User,"Kiev, Ukraine",3104
RMActionController,CooperRS/RMActionController,Objective-C,This is an iOS control for presenting any UIView in an UIActionSheet/UIAlertController like manner.,118,18,CooperRS,Roland Moers,User,Germany,118
KIZBehavior,zziking/KIZBehavior,Objective-C,可以利用IB,0代码集成的一些小功能,117,32,zziking,苏格拉没有底,User,,117
DaiExpandCollectionView,DaidoujiChen/DaiExpandCollectionView,Objective-C,Expand the current selected item. Focus the user's eyes.,117,9,DaidoujiChen,DaidoujiChen,User,台灣,117
HyPopMenuView,wwdc14/HyPopMenuView,Objective-C,模仿新浪微博弹出菜单,117,45,wwdc14,WWDC14,User,Canton,436
LLBootstrapButton,lilei644/LLBootstrapButton,Objective-C,Bootstrap 3.0扁平化风格按钮,自带图标,一句代码直接调用!!!,116,17,lilei644,Li Lei,User,Shen Zhen,401
reactive2015,kenwheeler/reactive2015,Objective-C,Reactive2015 Contest Entry,116,17,kenwheeler,Ken Wheeler,User,New Jersey,319
TOActionSheet,TimOliver/TOActionSheet,Objective-C,A custom-designed reimplementation of the UIActionSheet control for iOS,116,7,TimOliver,Tim Oliver,User,"Perth, Australia",771
FFChineseSort,liufan321/FFChineseSort,Objective-C,中文数组排序,116,22,liufan321,Fan Liu,User,China,960
RLDTableViewSuite,rlopezdiez/RLDTableViewSuite,Objective-C,"Reusable table view controller, data source and delegate for all your UITableView needs",116,9,rlopezdiez,Rafael López Diez,User,"London, United Kingdom",220
TvOS_Remote,vivianaranha/TvOS_Remote,Objective-C,Creating a remote for tvOS - Support for TvOS App and iOS App,116,13,vivianaranha,Vivian Aranha,User,Washington DC,116
EFAnimationMenu,jueXying/EFAnimationMenu,Objective-C,"This is a rotating menu, it is very convenient to use.",116,84,jueXying,jueyingxx,User,,116
MAIKit,MichaelBuckley/MAIKit,Objective-C,A framework for sharing code between iOS and OS X,115,2,MichaelBuckley,Michael Buckley,User,"Portland, OR",115
Parse-Challenge-App,TomekB/Parse-Challenge-App,Objective-C,"ios iPhone app built using Parse, allows: posting images/video files, commenting, giving likes, sharing challenges and attempts to this challenges also nominating facebook friends",115,34,TomekB,Tomasz Baranowicz,User,Wroclaw,115
ZTPageController,IOStao/ZTPageController,Objective-C,模仿网易新闻和其他新闻样式做的一个菜单栏,栏中有各自的控制器。,115,24,IOStao,,User,,115
MyTags,alienjun/MyTags,Objective-C,用于表现修改个人标签,使用UICollectionView实现,动态背景框使用UICollectionViewFlowLayout的DecorationView实现。,115,13,alienjun,AlienJunX,User,"ShangHai,China",115
react-native-search-bar,umhan35/react-native-search-bar,Objective-C,The high-quality iOS native search bar for react native.,115,38,umhan35,Zhao Han,User,"Winnipeg, Canada",115
QQBtn,ZhongTaoTian/QQBtn,Objective-C,仿制QQ弹性Button,115,19,ZhongTaoTian,维尼的小熊,User,北京,1590
IQAudioRecorderController,hackiftekhar/IQAudioRecorderController,Objective-C,A neat and clean audio recorder.,114,26,hackiftekhar,Mohd Iftekhar Qurashi,User,"Parasia, Madhya Pradesh, India",114
SuperDemo,bingxue314159/SuperDemo,Objective-C,,114,52,bingxue314159,,User,,114
LGRefreshView,Friend-LGA/LGRefreshView,Objective-C,"iOS pull to refresh for UIScrollView, UITableView and UICollectionView",114,27,Friend-LGA,Grigory Lutkov,User,Russia,1217
LGActionSheet,Friend-LGA/LGActionSheet,Objective-C,Customizable implementation of UIActionSheet,114,22,Friend-LGA,Grigory Lutkov,User,Russia,1217
iOSStrongDemo,worldligang/iOSStrongDemo,Objective-C,,113,41,worldligang,ligang,User,上海市,113
LZAlbum,lzwjava/LZAlbum,Objective-C,基于 LeanCloud 的朋友圈,优雅地使用 LeanCloud,113,33,lzwjava,lzwjava,User,"Beijing, China",775
HACLocationManager,litoarias/HACLocationManager,Objective-C,This class allows you to conveniently manage the tedious process backwards compatibility in location between iOS7 and iOS 8,112,23,litoarias,Lito,User,Spain,248
KnowingLife,12207480/KnowingLife,Objective-C,基于天气,查询,团购,新闻类查询应用,自己自学ios,写的第一个ios项目,也是面试作品,好久没用了,放着可惜,拿来给大家分享,希望给想写个项目,又无处着手的新人帮助,新手作品,112,92,12207480,tany,User,,2740
XSpotLight,StrongX/XSpotLight,Objective-C,make by StrongX,112,31,StrongX,,User,,112
QRCatcher,100mango/QRCatcher,Objective-C,,111,31,100mango,,User,,1248
DWCustomTabBarDemo,Damonvvong/DWCustomTabBarDemo,Objective-C,自定义UITabBarController的 TabBar---适用目前所有主流 APP,111,9,Damonvvong,Coderone,User,,111
BarrageRenderer,unash/BarrageRenderer,Objective-C,一个 iOS 上的弹幕渲染库.,111,37,unash,,User,,111
StackTableView,noppefoxwolf/StackTableView,Objective-C,UITableView with stack animation.,111,16,noppefoxwolf,noppefoxwolf,User,jp,111
HCDCoreAnimation,huang303513/HCDCoreAnimation,Objective-C,ios核心动画高级技巧 学习,111,33,huang303513,黄成都,User,上海,709
google-api-objectivec-client,google/google-api-objectivec-client,Objective-C, Google APIs Client Library for Objective-C,110,46,google,Google,Organization,,70104
CoreArchive,CharlinFeng/CoreArchive,Objective-C,One Key Archive,110,26,CharlinFeng,时点软件 冯成林,User,APP业务合作QQ:2113171554,4323
LCNavigationController,LeoiOS/LCNavigationController,Objective-C,除 UINavigationController 外最流行的 NavigationController!,110,16,LeoiOS,call me Super Liu!,User,,527
XLData,xmartlabs/XLData,Objective-C,"Elegant and concise way to load and show data sets into table and collection view. It supports AFNetworking, Core Data and memory data stores.",109,14,xmartlabs,XMARTLABS,Organization,Uruguay,2906
KYAsyncLoadBubble,KittenYang/KYAsyncLoadBubble,Objective-C,A bubble which can async-load web content without interrupt your current process.,109,12,KittenYang,Qitao Yang,User,"Beijing,China",5246
ZLCustomeSegmentControlView,lizelu/ZLCustomeSegmentControlView,Objective-C,视错觉Demo介绍,109,21,lizelu,Zeluli,User,Beijing China,401
CYXTenMinDemo,CYXiang/CYXTenMinDemo,Objective-C,十分钟搭建App框架(OC),109,19,CYXiang,Coder_YX,User,"Guangzhou, China",109
react-native-es6-reflux,filp/react-native-es6-reflux,Objective-C,"Boilerplate for iOS app development with React Native, ES6 and Reflux",109,16,filp,Filipe Dobreira,User,"Lisbon, Portugal",109
CPU-Identifier-OSX,hirakujira/CPU-Identifier-OSX,Objective-C,Check your A9 chip manufactory with this Mac app,109,30,hirakujira,Hiraku,User,,351
EYTagView,ygweric/EYTagView,Objective-C,EYTagView is a custome view simulate iOS Evernote's tag editing view.,109,13,ygweric,Eric ,User,Beijing China,109
ZHRulerview,duntudou/ZHRulerview,Objective-C,"一个简单的尺子控件,支持横竖屏",108,20,duntudou,zhaoHZ,User,beijing China,108
XTPaster,Akateason/XTPaster,Objective-C,iOS Paster Function,108,22,Akateason,teason,User,Shanghai,267
demo-app-ios-v2,rongcloud/demo-app-ios-v2,Objective-C,App for demonstration of Rong IMKit v2.0 component.,108,79,rongcloud,融云 RongCloud,Organization,Beijing,108
ViewGuide,aiqiuqiu/ViewGuide,Objective-C,辅助查看View的 宽高属性 再也不担心设计师找我1像素的梗了,108,29,aiqiuqiu,姜沂,User,,108
ZYChat,zyprosoft/ZYChat,Objective-C,实际项目的聊天框架,针对高速高频刷新最近会话和对话页面做了优化处理。ZYChat-EaseMob是基于环信服务的项目运用,108,55,zyprosoft,ZYVincent ( QQ:1003081775 ),User,Beijing,108
WindowManager,steventroughtonsmith/WindowManager,Objective-C,Experiment: UIWindow subclass to see what windowing would be like,108,10,steventroughtonsmith,Steven Troughton-Smith,User,"Dublin, Ireland",300
MSTwitterSplashScreen,mateuszszklarek/MSTwitterSplashScreen,Objective-C,,106,3,mateuszszklarek,Mateusz Szklarek,User,Warsaw,106
BackchannelSDK-iOS,backchannel/BackchannelSDK-iOS,Objective-C,The official iOS SDK for Backchannel.,106,10,backchannel,Backchannel,Organization,,106
react-native-touch-id,naoufal/react-native-touch-id,Objective-C,React Native authentication with the native Touch ID popup.,106,9,naoufal,Naoufal Kadhom,User,"Montreal, Canada",235
LGFilterView,Friend-LGA/LGFilterView,Objective-C,View shows and applies different filters in iOS app,105,19,Friend-LGA,Grigory Lutkov,User,Russia,1217
DTTableView,toandk/DTTableView,Objective-C,Custom tableview which support parallax header,105,19,toandk,,User,,105
treasure-hunt,blangslet/treasure-hunt,Objective-C,Ember.js + Polymer + Cordova iOS app that demos state-bridging animations to provide context and clarity of purpose as a user moves through an application experience. Video: https://www.youtube.com/watch?v=lXWVmbs5O8A,104,18,blangslet,Bryan Langslet,User,"San Francisco, CA",104
SXFiveScoreShow,dsxNiubility/SXFiveScoreShow,Objective-C,"Auto generating pentagon chart with number,like EA Sports FIFA 2015.",104,37,dsxNiubility,董铂然,User,Beijing-Wangjing,2436
JTImageButton,kubatru/JTImageButton,Objective-C,JTImageButton is a UIButton subclass that makes TITLE+IMAGE work easier.,104,19,kubatru,Jakub Truhlář,User,"Prague, Czech Republic",333
HJDanmakuDemo,panghaijiao/HJDanmakuDemo,Objective-C,,104,32,panghaijiao,panghaijiao,User,shanghai,290
HHAlertView,mrchenhao/HHAlertView,Objective-C,"An iOS AlertView Library ,with Error,Success,Warning",103,25,mrchenhao,Harries Chen,User,Shanghai,103
xkcd-Open-Source,mamaral/xkcd-Open-Source,Objective-C,A free and open source xkcd comic reader for iOS.,103,26,mamaral,Mike Amaral,User,New Hampshire,4204
GGBannerView,ylovern/GGBannerView,Objective-C,一个简单易用banner轮播器,103,11,ylovern,DreamG,User,Bei Jing,296
energy,artsy/energy,Objective-C,"Artsy Folio, The Partner iPhone / iPad app.",103,19,artsy,Artsy,Organization,"New York, NY",1392
TreeTableView,yixiangboy/TreeTableView,Objective-C,IOS 树形结构,103,19,yixiangboy,,User,,560
AGLocationDispatcher,agilie/AGLocationDispatcher,Objective-C,Location manage framework working in different modes,103,22,agilie,Agilie Team,Organization,"Dnepropetrovsk, Ukraine",103
LMGaugeView,lminhtm/LMGaugeView,Objective-C,LMGaugeView is a simple and customizable gauge control for iOS.,103,12,lminhtm,LMinh,User,Việt Nam,103
CCEaseRefresh,liuzechen/CCEaseRefresh,Objective-C,"CCEaseRefresh是仿照NetEase网易新闻version5.3.4的下拉刷新。继承UIControl, 简单易用。",102,26,liuzechen,LiuZeChen,User,,102
KKLog,Coneboy-k/KKLog,Objective-C,A Open source Log System for OC,102,20,Coneboy-k,Coneboy_k,User,,102
OpinionzAlertView,Opinionz/OpinionzAlertView,Objective-C,Beautiful customizable alert view with blocks,102,14,Opinionz,,Organization,,102
JDFTooltips,JoeFryer/JDFTooltips,Objective-C,A simple library for showing tooltip-like popups on iOS,102,22,JoeFryer,Joe Fryer,User,UK,363
Volkswagen-Xcode,cezheng/Volkswagen-Xcode,Objective-C,"Detects when your Xcode tests are being run in a CI server, and makes them pass:see_no_evil:",102,2,cezheng,Ce Zheng,User,,342
tudou,lookingstars/tudou,Objective-C,高仿土豆iPhone版。 Q Q:863784757 ;不可用于其他商业用途。,101,79,lookingstars,ljz,User,beijing,1492
DownPicker,Darkseal/DownPicker,Objective-C,"A lightweight DropDownList / ComboBox for iOS, written in Objective-C",101,28,Darkseal,Dark,User,"Rome, Italy",101
WACoreDataSpotlight,Wasappli/WACoreDataSpotlight,Objective-C,Automatically index your CoreData objects to CoreSpotlight on iOS 9,101,12,Wasappli,,Organization,,528
LxTabBadgePoint,DeveloperLx/LxTabBadgePoint,Objective-C,Easily custom viewController's tabBar badge view. ,101,10,DeveloperLx,Developer.Lx,User,"Beijing, China.",1801
PortalTransition,machackx/PortalTransition,Objective-C,Inspired by Apple's keynote portal animation,100,14,machackx,Yang Ce,User,Shanghai,100
KSHMosaicCamera,kimsungwhee/KSHMosaicCamera,Objective-C,"KSHMosaicCamera is camera capture application,it can Face recognition and with a mosaic effect.",100,27,kimsungwhee,Sungwhee Kim,User,TOKYO,741
TYLaunchAnimation,12207480/TYLaunchAnimation,Objective-C,"launching image or view Animation,UIView Category,easy to use.(启动图动画,带广告, 直接使用,支持自定义view,自定义动画)",100,25,12207480,tany,User,,2740
ios-charts,danielgindi/ios-charts,Swift,An iOS port of the beautiful MPAndroidChart. - Beautiful charts for iOS apps!,6749,933,danielgindi,Daniel Cohen Gindi,User,Israel,6749
Aerial,JohnCoates/Aerial,Swift,Apple TV Aerial Screensaver for Mac,4778,226,JohnCoates,John Coates,User,,5846
Perfect,PerfectlySoft/Perfect,Swift,"Server-side Swift. The Perfect library, application server, connectors and example apps. (For mobile back-end development, website and web app development, and more...)",4438,210,PerfectlySoft,,Organization,,4438
androidtool-mac,mortenjust/androidtool-mac,Swift,"One-click screenshots, video recordings, app installation for iOS and Android",3364,183,mortenjust,Morten Just,User,Uncanny Valley,4632
Awesome-Swift-Education,hsavit1/Awesome-Swift-Education,Swift,:fire: All of the resources for Learning About Swift,3296,248,hsavit1,Give money to charity,User,,3296
Kingfisher,onevcat/Kingfisher,Swift,A lightweight and pure Swift implemented library for downloading and caching image from the web.,3246,287,onevcat,Wei Wang,User,"Kawasaki, Japan",5422
swift-package-manager,apple/swift-package-manager,Swift,The Package Manager for the Swift Programming Language,3131,222,apple,Apple,Organization,"Cupertino, CA",34543
iOS-9-Sampler,shu223/iOS-9-Sampler,Swift,Code examples for the new features of iOS 9.,2993,358,shu223,shu223,User,"Tokyo, Japan",3832
SwiftLint,realm/SwiftLint,Swift,A tool to enforce Swift style and conventions.,2842,159,realm,Realm,Organization,,3363
Neon,mamaral/Neon,Swift,A powerful Swift programmatic UI layout framework.,2690,206,mamaral,Mike Amaral,User,New Hampshire,4204
RxSwift,ReactiveX/RxSwift,Swift,Reactive Programming in Swift,2476,210,ReactiveX,ReactiveX,Organization,,3395
NVActivityIndicatorView,ninjaprox/NVActivityIndicatorView,Swift,Collection of nice loading animations,2331,189,ninjaprox,Nguyen Vinh,User,,2498
Eureka,xmartlabs/Eureka,Swift,Elegant iOS form builder in Swift 2,2220,117,xmartlabs,XMARTLABS,Organization,Uruguay,2906
TextFieldEffects,raulriera/TextFieldEffects,Swift,"Custom UITextFields effects inspired by Codrops, built using Swift",2112,174,raulriera,Raul Riera,User,,2277
StarWars.iOS,Yalantis/StarWars.iOS,Swift,This component implements transition animation to crumble view-controller into tiny pieces.,1987,154,Yalantis,Yalantis,Organization,"Ukraine, Dnepropetrovsk",28436
Bond,SwiftBond/Bond,Swift,A Swift binding framework,1968,147,SwiftBond,Bond,Organization,,1968
LiquidFloatingActionButton,yoavlt/LiquidFloatingActionButton,Swift,Material Design Floating Action Button in liquid state,1949,204,yoavlt,Takuma Yoshida,User,Japan,2464
PermissionScope,nickoneill/PermissionScope,Swift,Intelligent iOS permissions UI and unified API,1846,104,nickoneill,Nick O'Neill,User,San Francisco,2182
WobbleView,inFullMobile/WobbleView,Swift,,1831,92,inFullMobile,inFullMobile,Organization,"WAW, PL",1831
DOFavoriteButton,okmr-d/DOFavoriteButton,Swift,Cute Animated Button written in Swift.,1810,115,okmr-d,Daiki Okumura,User,"Tokyo, Japan",1980
Helium,JadenGeller/Helium,Swift,A floating browser window for OS X,1793,89,JadenGeller,Jaden Geller,User,California,1793
GuillotineMenu,Yalantis/GuillotineMenu,Swift,Our Guillotine Menu Transitioning Animation implemented in Swift reminds a bit of a notorious killing machine.,1768,165,Yalantis,Yalantis,Organization,"Ukraine, Dnepropetrovsk",28436
RazzleDazzle,IFTTT/RazzleDazzle,Swift,"A simple keyframe-based animation framework for iOS, written in Swift. Perfect for scrolling app intros.",1714,113,IFTTT,IFTTT,Organization,San Francisco,5448
Persei,Yalantis/Persei,Swift,Animated top menu for UITableView / UICollectionView / UIScrollView written in Swift,1707,177,Yalantis,Yalantis,Organization,"Ukraine, Dnepropetrovsk",28436
Instructions,ephread/Instructions,Swift,"Create walkthroughs and guided tours (using coach marks) in a simple way, using Swift.",1675,80,ephread,Frédéric Maquin,User,"Strasbourg, France",1675
Koloda,Yalantis/Koloda,Swift,KolodaView is a class designed to simplify the implementation of Tinder like cards on iOS. ,1644,165,Yalantis,Yalantis,Organization,"Ukraine, Dnepropetrovsk",28436
netfox,kasketis/netfox,Swift,"A lightweight, one line setup, iOS network debugging library!",1577,52,kasketis,Christos Kasketis,User,"Athens, Greece",1577
EasyAnimation,icanzilb/EasyAnimation,Swift,"A Swift library to take the power of UIView.animateWithDuration(_:, animations:...) to a whole new level - layers, springs, chain-able animations and mixing view and layer animations together!",1570,92,icanzilb,Marin Todorov,User,Barcelona,2649
Side-Menu.iOS,Yalantis/Side-Menu.iOS,Swift,Animated side menu with customizable UI,1559,194,Yalantis,Yalantis,Organization,"Ukraine, Dnepropetrovsk",28436
BreakOutToRefresh,dasdom/BreakOutToRefresh,Swift,Play BreakOut while loading - A playable pull to refresh view using SpriteKit,1481,86,dasdom,Dominik Hauser,User,"Düsseldorf, Germany",2125
SwiftGen,AliSoftware/SwiftGen,Swift,"A collection of Swift tools to generate Swift code (enums for your assets, storyboards, Localizable.strings, …)",1463,69,AliSoftware,AliSoftware,User,"Rennes, France",1463
DGElasticPullToRefresh,gontovnik/DGElasticPullToRefresh,Swift,Elastic pull to refresh for iOS developed in Swift,1447,134,gontovnik,Danil Gontovnik,User,"London, United Kingdom",3639
Chatto,badoo/Chatto,Swift,"A lightweight framework to build chat applications, made in Swift",1395,115,badoo,Badoo Development,Organization,Moscow & London,1395
MaterialKit,CosmicMind/MaterialKit,Swift,A beautiful Material Design framework in Swift.,1380,107,CosmicMind,CosmicMind,Organization,Toronto & Mountain View,1380
BubbleTransition,andreamazz/BubbleTransition,Swift,A custom modal transition that presents and dismiss a controller with an expanding bubble effect.,1370,74,andreamazz,Andrea Mazzini,User,Italy,1766
DKChainableAnimationKit,Draveness/DKChainableAnimationKit,Swift,:star: Chainable animations in Swift,1347,61,Draveness,Draveness,User,Beijing China,2863
droptogif,mortenjust/droptogif,Swift,Zero-click animated Gifs,1268,54,mortenjust,Morten Just,User,Uncanny Valley,4632
DGRunkeeperSwitch,gontovnik/DGRunkeeperSwitch,Swift,Runkeeper design switch control (two part segment control),1295,79,gontovnik,Danil Gontovnik,User,"London, United Kingdom",3639
TKSubmitTransition,entotsu/TKSubmitTransition,Swift,Animated UIButton of Loading Animation and Transition Animation. Inspired by https://dribbble.com/shots/1945593-Login-Home-Screen,1239,109,entotsu,Takuya Okamoto,User,"Tokyo, Japan",2833
Presentation,hyperoslo/Presentation,Swift,"Presentation helps you to make tutorials, release notes and animated pages.",1219,54,hyperoslo,Hyper,Organization,Oslo,2870
SwiftSideslipLikeQQ,johnlui/SwiftSideslipLikeQQ,Swift,再造 “手机QQ” 侧滑菜单,1168,235,johnlui,JohnLui,User,"Beijing, China",4176
SwiftyUserDefaults,radex/SwiftyUserDefaults,Swift,Statically-typed NSUserDefaults,1134,65,radex,Radek Pietruszewski,User,"Toruń, Poland",1515
Swift-AI,collinhundley/Swift-AI,Swift,Highly optimized artificial intelligence and machine learning library written in Swift.,1087,76,collinhundley,Collin Hundley,User,"Provo, UT",1087
iOS9-day-by-day,shinobicontrols/iOS9-day-by-day,Swift,Selection of projects accompanying the iOS9 Day-by-Day blog series. ,1073,237,shinobicontrols,shinobicontrols,Organization,,1073
Swift-Radio-Pro,swiftcodex/Swift-Radio-Pro,Swift,"Professional Radio Station App, created w/ Swift 2.0",1068,189,swiftcodex,Swift Code X,User,"Denver, CO",1068
CKWaveCollectionViewTransition,CezaryKopacz/CKWaveCollectionViewTransition,Swift,Cool wave like transition between two or more UICollectionView,1065,73,CezaryKopacz,Cezary Kopacz,User,Warsaw,1065
MPParallaxView,DroidsOnRoids/MPParallaxView,Swift,Apple TV Parallax effect in Swift.,1062,63,DroidsOnRoids,Droids On Roids,Organization,"Wroclaw, Poland",1062
PullToBounce,entotsu/PullToBounce,Swift,Animated 'Pull To Refresh' Library for UIScrollView. Inspired by https://dribbble.com/shots/1797373-Pull-Down-To-Refresh,1061,86,entotsu,Takuya Okamoto,User,"Tokyo, Japan",2833
FillableLoaders,poolqf/FillableLoaders,Swift,Completely customizable progress based loaders drawn using custom CGPaths written in Swift,1046,62,poolqf,Pol Quintana,User,Barcelona,1046
DynamicColor,yannickl/DynamicColor,Swift,Yet another extension to manipulate colors easily in Swift,1022,26,yannickl,Yannick Loriot,User,"Paris, France",1754
AlamofireImage,Alamofire/AlamofireImage,Swift,AlamofireImage is an image component library for Alamofire,1020,82,Alamofire,Alamofire,Organization,,1174
WebShell,djyde/WebShell,Swift,Bundle web apps to native OS X app,993,59,djyde,Randy,User,"Guangzhou, China",1640
Nuke,kean/Nuke,Swift,"Image loading, processing, caching and preheating",1008,50,kean,Alexander Grebenyuk,User,Moscow,1008
Watchdog,wojteklu/Watchdog,Swift,Class for logging excessive blocking on the main thread,1001,34,wojteklu,Wojtek Lukaszuk,User,"Warsaw, Poland",1001
SwiftMoment,akosma/SwiftMoment,Swift,"A time and calendar manipulation library for iOS 9, OS X 10.10 and Xcode 7 written in Swift 2",997,71,akosma,Adrian Kosmaczewski,User,"Zurich, Switzerland",997
SwiftDate,malcommac/SwiftDate,Swift,Easy NSDate Management in Swift 2.0,990,88,malcommac,Daniele Margutti,User,"Rome, Italy",1542
SAHistoryNavigationViewController,szk-atmosphere/SAHistoryNavigationViewController,Swift,SAHistoryNavigationViewController realizes iOS task manager like UI in UINavigationContoller.,954,42,szk-atmosphere,Taiki Suzuki,User,"Tokyo, Japan",1944
BTNavigationDropdownMenu,PhamBaTho/BTNavigationDropdownMenu,Swift,"The elegant dropdown menu, written in Swift, appears underneath navigation bar to display a list of related items when a user click on the navigation title.",927,109,PhamBaTho,Pham Ba Tho,User,Vietnam,927
socket.io-client-swift,socketio/socket.io-client-swift,Swift,,923,108,socketio,Socket.IO,Organization,Automattic,1745
ZLSwipeableViewSwift,zhxnlai/ZLSwipeableViewSwift,Swift,A simple view for building card like interface inspired by Tinder and Potluck.,921,78,zhxnlai,Zhixuan Lai,User,"Los Angeles, CA",921
BluetoothKit,rasmusth/BluetoothKit,Swift,Easily communicate between iOS/OSX devices using BLE,872,46,rasmusth,Rasmus Taulborg Hummelmose,User,"Aarhus, Denmark",872
Venice,Zewo/Venice,Swift,CSP for Swift 2.2 on Linux,871,33,Zewo,Zewo,Organization,,1232
Whisper,hyperoslo/Whisper,Swift,A fairy eyelash or a unicorn whisper too far.,784,26,hyperoslo,Hyper,Organization,Oslo,2870
SwiftSpinner,icanzilb/SwiftSpinner,Swift,"A beautiful activity indicator and modal alert written in Swift (originally developed for http://doodledoodle.io) Using blur effects, translucency, flat and bold design - all iOS 8 latest and greatest",864,99,icanzilb,Marin Todorov,User,Barcelona,2649
XcodeSwiftSnippets,burczyk/XcodeSwiftSnippets,Swift,Swift code snippets for Xcode ,866,70,burczyk,Kamil Burczyk,User,"Kraków, Poland",866
watchOS-2-Sampler,shu223/watchOS-2-Sampler,Swift,Code examples for new features of watchOS 2.,839,101,shu223,shu223,User,"Tokyo, Japan",3832
DBPathRecognizer,didierbrun/DBPathRecognizer,Swift,Gesture recognizer tool [Swift / iOS],836,51,didierbrun,Didier Brun,User,France,836
ResponseDetective,netguru/ResponseDetective,Swift,Sherlock Holmes of the networking layer.,838,16,netguru,Netguru,Organization,"Poznań, Poland",838
Front-End-Develop-Guide,icepy/Front-End-Develop-Guide,Swift,这份指南汇集了前端开发所使用语言的主流学习资源,并以开发者的视角进行整理编排而成。,835,177,icepy,,User,安江(China),1212
AutoLayout,johnlui/AutoLayout,Swift,《Auto Layout 使用心得》系列文章代码仓库 ,831,150,johnlui,JohnLui,User,"Beijing, China",4176
Format,marmelroy/Format,Swift,A Swift Formatter Kit,818,17,marmelroy,Roy Marmelstein,User,"Paris, France",2442
Siren,ArtSabintsev/Siren,Swift,"Notify users when a new version of your iOS app is available, and prompt them with the App Store link. Siren is a Swift port of the Objective-C 'Harpy' project.",814,48,ArtSabintsev,Arthur Ariel Sabintsev,User,"Washington, DC",1845
TZStackView,tomvanzummeren/TZStackView,Swift,UIStackView replica for iOS 7.x and iOS 8.x,771,63,tomvanzummeren,Tom van Zummeren,User,,771
UIImageColors,jathu/UIImageColors,Swift,iTunes style color fetcher for UIImage.,762,19,jathu,,User,the 6 & the sweeterside,762
PhoneNumberKit,marmelroy/PhoneNumberKit,Swift,"A Swift framework for parsing, formatting and validating international phone numbers. Inspired by Google's libphonenumber.",727,31,marmelroy,Roy Marmelstein,User,"Paris, France",2442
APNGKit,onevcat/APNGKit,Swift,High performance and delightful way to play with APNG format in iOS.,724,49,onevcat,Wei Wang,User,"Kawasaki, Japan",5422
ios-universal-webview-boilerplate,nabilfreeman/ios-universal-webview-boilerplate,Swift,Universal Swift-based boilerplate for a web app.,719,34,nabilfreeman,Freeman,User,Internet,719
EasyTipView,teodorpatras/EasyTipView,Swift,A tooltip view written in Swift.,707,62,teodorpatras,Teodor Patraş,User,Berlin,707
SwiftCharts,i-schuetz/SwiftCharts,Swift,Easy to use and highly customizable charts library for iOS,690,96,i-schuetz,Ivan Schütz,User,"Berlin, Germany",690
GaugeKit,skywinder/GaugeKit,Swift,Kit for building custom gauges + easy reproducible Apple's style ring gauges.,691,32,skywinder,Petr Korolev,User,"Cyprus, Limassol",691
MonkeyKing,nixzhu/MonkeyKing,Swift,MonkeyKing helps you post messages to Chinese Social Networks.,683,55,nixzhu,,User,,1549
ActiveLabel.swift,optonaut/ActiveLabel.swift,Swift,"UILabel drop-in replacement supporting Hashtags (#), Mentions (@) and URLs (http://) written in Swift",682,40,optonaut,Optonaut,Organization,"London, UK",682
HackingWithSwift,twostraws/HackingWithSwift,Swift,The project source code for hackingwithswift.com,677,423,twostraws,,User,,677
EZSwiftExtensions,goktugyil/EZSwiftExtensions,Swift,:smirk: How Swift standard types and classes were supposed to work.,660,52,goktugyil,Goktug Yilmaz,User,San Francisco,1647
LeetCode-Solutions-in-Swift,diwu/LeetCode-Solutions-in-Swift,Swift,LeetCode Solutions in Swift 2.1.1,661,61,diwu,diwup,User,"Shanghai, China",1167
Laurine,JiriTrecak/Laurine,Swift,Laurine - Localization code generator written in Swift. Sweet!,632,20,JiriTrecak,Jiří Třečák,User,Czech Republic,632
ParkedTextField,gmertk/ParkedTextField,Swift,A text field with a constant text/placeholder,641,31,gmertk,Gunay Mert Karadogan,User,Turkey,1989
Swiftline,Swiftline/Swiftline,Swift,Swiftline is a set of tools to help you create command line applications.,627,26,Swiftline,Swiftline,Organization,,627
SwiftyBeaver,SwiftyBeaver/SwiftyBeaver,Swift,"Colorful, lightweight & fast logging in Swift 2",629,32,SwiftyBeaver,SwiftyBeaver,Organization,,629
Interstellar,JensRavens/Interstellar,Swift,Simple and lightweight Functional Reactive Coding in Swift for the rest of us,632,24,JensRavens,Jens Ravens,User,Berlin,632
Just,JustHTTP/Just,Swift,Swift HTTP for Humans,630,33,JustHTTP,Daniel Duan,User,,630
Pitaya,johnlui/Pitaya,Swift,A Swift HTTP / HTTPS networking library just incidentally execute on machines,628,60,johnlui,JohnLui,User,"Beijing, China",4176
Decodable,Anviking/Decodable,Swift,Swift 2 JSON parsing done (more) right,626,23,Anviking,Johannes Lund,User,Anviken-Jämtland-Sweden,626
ALCameraViewController,AlexLittlejohn/ALCameraViewController,Swift,A camera view controller with custom image picker and image cropping. Written in Swift.,625,59,AlexLittlejohn,Alex Littlejohn,User,South Africa,625
TVButton,marmelroy/TVButton,Swift,Recreating the cool parallax icons from Apple TV as iOS UIButtons (in Swift).,620,23,marmelroy,Roy Marmelstein,User,"Paris, France",2442
Result,antitypical/Result,Swift,Swift type modelling the success/failure of arbitrary operations.,621,58,antitypical,Antitypical,Organization,,621
MotionKit,MHaroonBaig/MotionKit,Swift,"Get the data from Accelerometer, Gyroscope and Magnetometer in only Two or a few lines of code. CoreMotion now made insanely simple :octocat: :satellite: ",616,64,MHaroonBaig,Muhammad Haroon Baig,User,Pakistan,616
PagingMenuController,kitasuke/PagingMenuController,Swift,Paging view controller with customizable menu in Swift,611,85,kitasuke,Yusuke Kita,User,Japan,611
SwiftBox,joshaber/SwiftBox,Swift,"Flexbox in Swift, using Facebook's css-layout.",607,26,joshaber,Josh Abernathy,User,The Gem City,607
Static,venmo/Static,Swift,Simple static table views for iOS in Swift.,607,25,venmo,Venmo,Organization,10001,1050
GEOSwift,andreacremaschi/GEOSwift,Swift,The Swift Geographic Engine.,598,37,andreacremaschi,Andrea Cremaschi,User,Italy,598
TKRubberIndicator,TBXark/TKRubberIndicator,Swift,Rubber Indicator in Swift,598,96,TBXark,TBXark,User,Shenzhen China,889
CleanroomLogger,emaloney/CleanroomLogger,Swift,"CleanroomLogger provides an extensible Swift-based logging API that is simple, lightweight and performant",588,36,emaloney,,User,,588
Popover,corin8823/Popover,Swift,Popover is a balloon library like Facebook app. It is written in pure swift.,579,53,corin8823,Yusuke Takahashi,User,"Tokyo, Japan",579
Natalie,krzyzanowskim/Natalie,Swift,Natalie - Storyboard Code Generator (for Swift),577,37,krzyzanowskim,Marcin Krzyzanowski,User,"Warsaw, Poland",577
MTSwift-Learning,MartinRGB/MTSwift-Learning,Swift,"Begin to learn swift,try to make some simple project here",570,75,MartinRGB,MartinRGB,User,"Beijing,China",3764
Proposer,nixzhu/Proposer,Swift,Make permission request easier.,568,29,nixzhu,,User,,1549
ImagePicker,hyperoslo/ImagePicker,Swift,Reinventing the way ImagePicker works.,554,24,hyperoslo,Hyper,Organization,Oslo,2870
VWInstantRun,wangshengjia/VWInstantRun,Swift,"An Xcode plugin let you build & run your selected lines of code in Xcode without running the whole project, you'll have the output instantly in your Xcode console.",528,31,wangshengjia,WANG Shengjia,User,Paris,528
Project-RainMan,Mav3r1ck/Project-RainMan,Swift,Open Source Weather App created with Swift,550,77,Mav3r1ck,Aaron,User,D.C Area,550
RMParallax,michaelbabiy/RMParallax,Swift,The way to impress users on the first app launch.,552,43,michaelbabiy,Michael Babiy,User,"Seattle, WA",552
ViewMonitor,daisuke0131/ViewMonitor,Swift,ViewMonitor can measure view positions with accuracy.,550,35,daisuke0131,Daisuke Yamashita,User,,550
Swift-Prompts,GabrielAlva/Swift-Prompts,Swift,A Swift library to design custom prompts with a great scope of options to choose from. ,550,40,GabrielAlva,Gabriel Alvarado,User,,1829
gulps,FancyPixel/gulps,Swift,Gulps is an open source app for iOS and Apple Watch that lets you keep track of your daily water consumption.,544,91,FancyPixel,Fancy Pixel,Organization,Italy,705
Dodo,marketplacer/Dodo,Swift,A message bar for iOS written in Swift.,544,28,marketplacer,Marketplacer,Organization,,718
Genome,LoganWright/Genome,Swift,"A simple, type safe, failure driven mapping library for serializing JSON to models in Swift 2.0 (Supports Linux)",530,27,LoganWright,Logan Wright,User,Boston,680
BusyNavigationBar,gmertk/BusyNavigationBar,Swift,A UINavigationBar extension to show loading effects ,526,28,gmertk,Gunay Mert Karadogan,User,Turkey,1989
Blurable,FlexMonkey/Blurable,Swift,Apply a Gaussian Blur to any UIView with Swift Protocol Extensions,522,16,FlexMonkey,simon gladman,User,"London, United Kingdom",1946
LiquidLoader,yoavlt/LiquidLoader,Swift,Spinner loader components with liquid animation,515,70,yoavlt,Takuma Yoshida,User,Japan,2464
NaughtyKeyboard,Palleas/NaughtyKeyboard,Swift,The Big List of Naughty Strings is a list of strings which have a high probability of causing issues when used as user-input data. This is a keyboard to help you test your app from your iOS device.,514,21,Palleas,Romain Pouclet,User,"Montreal, Quebec, Canada",514
Device,Ekhoo/Device,Swift,Light weight tool for detecting the current device and screen size written in swift.,510,23,Ekhoo,Lucas Ortis,User,Marseille,510
SwiftAlgorithmsClassroom,gmertk/SwiftAlgorithmsClassroom,Swift,An experimental classroom to learn/teach algorithms and data structures with Swift,510,53,gmertk,Gunay Mert Karadogan,User,Turkey,1989
KZLinkedConsole,krzysztofzablocki/KZLinkedConsole,Swift,"Clickable links in your Xcode console, so you never wonder which class logged the message.",486,20,krzysztofzablocki,Krzysztof Zabłocki,User,"Warsaw, Poland",637
Splitflap,yannickl/Splitflap,Swift,A simple split-flap display for your Swift applications,504,27,yannickl,Yannick Loriot,User,"Paris, France",1754
RealtimeGradientText,kevinzhow/RealtimeGradientText,Swift,Gradient Text in Real,503,37,kevinzhow,Kevin,User,"Guangzhou, China",725
AutocompleteField,filipstefansson/AutocompleteField,Swift,Add word completion to your UITextFields.,500,19,filipstefansson,Filip Stefansson,User,,500
FontBlaster,ArtSabintsev/FontBlaster,Swift,Programmatically load custom fonts into your iOS app.,494,20,ArtSabintsev,Arthur Ariel Sabintsev,User,"Washington, DC",1845
swift-a-day,lindadong/swift-a-day,Swift,Project files for my personal experiments on Swift A Day:,488,18,lindadong,Linda Dong,User,,488
mobileplayer-ios,mobileplayer/mobileplayer-ios,Swift,A powerful and completely customizable media player for iOS,482,46,mobileplayer,Mobile Player,Organization,"San Francisco, CA",482
RunKit,khoiln/RunKit,Swift,A Swift Wrapper for libdispatch aka Grand Central Dispatch (GCD) Framework that supports method chaining,481,2,khoiln,Khoi,User,,481
BRYXBanner,bryx-inc/BRYXBanner,Swift,"A lightweight dropdown notification for iOS 7+, in Swift.",479,30,bryx-inc,"Bryx, Inc",Organization,"Rochester, NY",479
LGWeChatKit,jamy0801/LGWeChatKit,Swift,"swift2.0仿微信界面,可滑动cell,自定义图片选择器。。。",476,128,jamy0801,jamy,User,,476
AAWindow,aaronabentheuer/AAWindow,Swift,UIWindow subclass to enable behavior like adaptive round-corners & detecting when Control Center is opened.,476,9,aaronabentheuer,Aaron Abentheuer,User,Schwäbisch Gmünd · Germany,720
APIKit,ishkawa/APIKit,Swift,A networking library for building type safe web API client in Swift.,473,39,ishkawa,Yosuke Ishikawa,User,"Tokyo, Japan",473
Ji,honghaoz/Ji,Swift,Ji (戟) is an XML/HTML parser for Swift,466,17,honghaoz,Honghao Zhang 张宏昊,User,"Toronto, ON, Canada",466
The-Swift-2.0-Programming-Language-playground,mengxiangyue/The-Swift-2.0-Programming-Language-playground,Swift,对应最新发布《The Swift Programming Language》Swift 2.0 一书中的内容。这些playground基本是书中知识点的一个总结。,465,63,mengxiangyue,,User,,465
XLActionController,xmartlabs/XLActionController,Swift,Fully customizable and extensible action sheet controller written in Swift 2,457,27,xmartlabs,XMARTLABS,Organization,Uruguay,2906
TagListView,xhacker/TagListView,Swift,"Simple and highly customizable iOS tag list view, in Swift.",456,34,xhacker,LIU Dongyuan / 柳东原,User,"Vancouver, Canada; Beijing, China",456
mapper,lyft/mapper,Swift,Another JSON deserialization library for Swift,457,13,lyft,Lyft,Organization,"San Francisco, CA",3054
xcode-snippets,Abizern/xcode-snippets,Swift,"Xcode Snippets for Swift 2, based on those by Mattt at https://github.com/Xcode-Snippets/Objective-C",457,20,Abizern,Abizer Nasir,User,"London, UK",457
Unbox,JohnSundell/Unbox,Swift,The easy to use Swift JSON decoder,456,21,JohnSundell,John Sundell,User,"Stockholm, Sweden",456
CardAnimation,seedante/CardAnimation,Swift,Multi card flip animation by pan gesture.,455,51,seedante,,User,shanghai,601
Buildasaur,czechboy0/Buildasaur,Swift,"Free, local and automatic testing of GitHub Pull Requests with Xcode Bots. Keep your team productive and safe. Get up and running in minutes. @buildasaur",452,36,czechboy0,Honza Dvorsky,User,,746
Money,danthorpe/Money,Swift,Swift value types for working with money & currency,438,13,danthorpe,Daniel Thorpe,User,"London, UK",564
ModelRocket,ovenbits/ModelRocket,Swift,An iOS framework for creating JSON-based models. Written in Swift.,437,12,ovenbits,Oven Bits,Organization,Dallas,437
swift-http,huytd/swift-http,Swift,HTTP Implementation for Swift on Linux and Mac OS X,434,29,huytd,Henry Tr.,User,"San Jose, CA",1520
XAnimatedImage,khaledmtaha/XAnimatedImage,Swift,XAnimatedImage is a performant animated GIF engine for iOS written in Swift based on FLAnimatedImage,430,19,khaledmtaha,Khaled Taha,User,United States,430
AIFlatSwitch,cocoatoucher/AIFlatSwitch,Swift,A flat component alternative to UISwitch on iOS,433,25,cocoatoucher,,User,Stockholm,433
RichEditorView,cjwirth/RichEditorView,Swift,"RichEditorView is a simple, modular, drop-in UIView subclass for Rich Text Editing.",431,61,cjwirth,Caesar Wirth,User,"Tokyo, Japan",7459
CocoaChinaPlus,zixun/CocoaChinaPlus,Swift,CocoaChina+客户端开源地址--陈奕龙,431,110,zixun,陈奕龙(子循),User,"Hangzhou,ZheJiang,China",431
Rainbow,onevcat/Rainbow,Swift,Delightful console output for Swift developers.,410,24,onevcat,Wei Wang,User,"Kawasaki, Japan",5422
SnappingSlider,rehatkathuria/SnappingSlider,Swift,A beautiful slider control for iOS built purely upon Swift,422,13,rehatkathuria,Rehat Kathuria,User,London,422
MediumScrollFullScreen,pixyzehn/MediumScrollFullScreen,Swift,Medium's upper and lower Menu in Scroll.,418,26,pixyzehn,Nagasawa Hiroki,User,"Tokyo, Japan",595
JSONCodable,matthewcheok/JSONCodable,Swift,Hassle-free JSON encoding and decoding in Swift,419,22,matthewcheok,Matthew Cheok,User,Singapore,625
Mockingjay,kylef/Mockingjay,Swift,An elegant library for stubbing HTTP requests with ease in Swift,416,26,kylef,Kyle Fuller,User,"London, England",1102
QorumLogs,goktugyil/QorumLogs,Swift,:closed_book: Swift Logging Utility for Xcode & Google Docs ,418,32,goktugyil,Goktug Yilmaz,User,San Francisco,1647
SwiftPages,GabrielAlva/SwiftPages,Swift,"A swift implementation of a swipe between pages layout, just like Instagram's toggle between views.",413,39,GabrielAlva,Gabriel Alvarado,User,,1829
AlamofireObjectMapper,tristanhimmelman/AlamofireObjectMapper,Swift,An Alamofire extension which converts JSON response data into swift objects using ObjectMapper,413,69,tristanhimmelman,Tristan Himmelman,User,"Toronto, Canada",413
QuickRearrangeTableView,okla/QuickRearrangeTableView,Swift,"UITableView subclass with quick rearrange, written in Swift (1.2)",411,28,okla,Sergey Pershenkov,User,"Moscow, Russia",411
tispr-card-stack,tispr/tispr-card-stack,Swift,Card Stack in Swift for iOS8+,409,28,tispr,tispr,Organization,"Santa Monica, CA",409
Gloss,hkellaway/Gloss,Swift,A shiny JSON parsing library in Swift :sparkles:,406,13,hkellaway,Harlan Kellaway,User,New York City,406
MCMHeaderAnimated,mathcarignani/MCMHeaderAnimated,Swift,,405,24,mathcarignani,Mathias,User,"Montevideo, Uruguay",405
goofy,danielbuechele/goofy,Swift,OS X client for Facebook Messenger,400,63,danielbuechele,Daniel Büchele,User,Munich,400
SwiftCov,realm/SwiftCov,Swift,A tool to generate test code coverage information for Swift.,396,18,realm,Realm,Organization,,3363
SwiftFoundation,PureSwift/SwiftFoundation,Swift,"Cross-Platform, Protocol-Oriented Programming base library to complement the Swift Standard Library. (Pure Swift, Supports Linux)",394,24,PureSwift,,Organization,"San Francisco, California",394
GearRefreshControl,andreamazz/GearRefreshControl,Swift,A custom animation for the UIRefreshControl,396,25,andreamazz,Andrea Mazzini,User,Italy,1766
BigBrother,marcelofabri/BigBrother,Swift,Automatically sets the network activity indicator for any performed request.,392,14,marcelofabri,Marcelo Fabri,User,Brazil,392
RubberBandEffect,Produkt/RubberBandEffect,Swift,Recreating Apple’s rubber band effect in Swift,391,16,Produkt,Produkt,Organization,"Madrid, Spain - Brighton, UK",391
CFCityPickerVC,CharlinFeng/CFCityPickerVC,Swift,城市选取控制器,389,109,CharlinFeng,时点软件 冯成林,User,APP业务合作QQ:2113171554,4323
WatchScreenshotMagic,Imperiopolis/WatchScreenshotMagic,Swift,Quickly generates perfect Apple Watch screenshots.,385,11,Imperiopolis,Imperiopolis,User,"San Francisco, CA",385
swift-corelibs-xctest,apple/swift-corelibs-xctest,Swift,"The XCTest Project, A Swift core library for providing unit test support",383,82,apple,Apple,Organization,"Cupertino, CA",34543
SwiftyTimer,radex/SwiftyTimer,Swift,Swifty API for NSTimer,381,35,radex,Radek Pietruszewski,User,"Toruń, Poland",1515
Plum-O-Meter,FlexMonkey/Plum-O-Meter,Swift,3D Touch Application for Weighing Plums (and other small fruit!),381,44,FlexMonkey,simon gladman,User,"London, United Kingdom",1946
SSASideMenu,SSA111/SSASideMenu,Swift,A Swift implementation of RESideMenu,382,53,SSA111,Sebastian,User,"Copenhagen, Denmark",547
Butterfly,wongzigii/Butterfly,Swift,A lightweight library for integrating feedback module. Compatible with Swift 2.0.,367,15,wongzigii,Zigii Wong,User,Shenzhen,742
PhotoBrowser,MoZhouqi/PhotoBrowser,Swift,"A simple iOS Instagram photo browser written in Swift using Alamofire networking library, SwiftyJSON JSON parsing library and FastImageCache storing and retrieving images library.",367,55,MoZhouqi,Zhouqi Mo,User,"Shanghai, China",717
ShapeAnimation-Swift,rhcad/ShapeAnimation-Swift,Swift,Vector animation framework in Swift for iOS and OSX.,364,37,rhcad,Zhang Yungui,User,"Beijing, China",364
DAExpandAnimation,ifitdoesntwork/DAExpandAnimation,Swift,A custom modal transition that presents a controller with an expanding effect while sliding out the presenter remnants.,361,27,ifitdoesntwork,Denis Avdeev,User,,361
ImageViewer,MailOnline/ImageViewer,Swift,An image viewer à la Twitter,360,18,MailOnline,MailOnline,Organization,"London, UK",360
FileKit,nvzqz/FileKit,Swift,Simple and expressive file management in Swift,359,18,nvzqz,Nikolai Vazquez,User,"Miami, FL",480
Epoch,Zewo/Epoch,Swift,Venice based HTTP server for Swift 2.2 on Linux,361,19,Zewo,Zewo,Organization,,1232
GooeyTabbar,KittenYang/GooeyTabbar,Swift,A gooey effect tabbar,359,18,KittenYang,Qitao Yang,User,"Beijing,China",5246
Hakuba,nghialv/Hakuba,Swift,Cellmodel-driven tableview manager,356,25,nghialv,Le Van Nghia,User,"Shibuya, Japan",951
Former,ra1028/Former,Swift,Former is a fully customizable Swift2 library for easy creating UITableView based form.,352,19,ra1028,ra1028,User,Japan,585
TouchVisualizer,morizotter/TouchVisualizer,Swift,Lightweight touch visualization library in Swift. A single line of code and visualize your touches!,349,21,morizotter,Morita Naoki,User,tokyo,666
KGFloatingDrawer,KyleGoddard/KGFloatingDrawer,Swift,A floating navigation drawer with an interesting animated presentation written in Swift.,349,50,KyleGoddard,Kyle Goddard,User,,349
KFWatchKitAnimations,kiavashfaisali/KFWatchKitAnimations,Swift,KFWatchKitAnimations creates beautiful 60 FPS animations for  Watch by recording animations from the iOS Simulator.,347,13,kiavashfaisali,Kiavash Faisali,User,"Mississauga, ON",603
FutureKit,FutureKit/FutureKit,Swift,,345,17,FutureKit,,Organization,NYC and everywhere else.,345
Then,devxoul/Then,Swift,✨ Super sweet syntactic sugar for Swift initializers.,302,13,devxoul,Suyeol Jeon,User,"Seoul, Korea",484
LTJelloSwitch,lexrus/LTJelloSwitch,Swift,A rapid prototype of UISwitch built with Swift and PaintCode.,344,33,lexrus,Lex Tang,User,"Shanghai, China",548
JSONNeverDie,johnlui/JSONNeverDie,Swift,"Auto reflection tool from JSON to Model, user friendly JSON encoder / decoder, aims to never die",344,38,johnlui,JohnLui,User,"Beijing, China",4176
MarkdownTextView,indragiek/MarkdownTextView,Swift,Rich Markdown editing control for iOS,341,20,indragiek,Indragie Karunaratne,User,"Edmonton, AB",1282
Dunk,naoyashiga/Dunk,Swift,Dunk is Dribbble client.:basketball:,337,51,naoyashiga,naoyashiga,User,"Tokyo,Japan",337
Swinject,Swinject/Swinject,Swift,Dependency injection framework for Swift,337,14,Swinject,,Organization,,337
Transporter,nghialv/Transporter,Swift,A tiny library makes uploading and downloading easier,337,28,nghialv,Le Van Nghia,User,"Shibuya, Japan",951
Pantry,nickoneill/Pantry,Swift,The missing light persistence layer for Swift,336,14,nickoneill,Nick O'Neill,User,San Francisco,2182
HighstreetWatchApp,GetHighstreet/HighstreetWatchApp,Swift,The WatchKit App built on the http://highstreetapp.com platform,336,29,GetHighstreet,,Organization,The Netherlands,336
SKPhotoBrowser,suzuki-0000/SKPhotoBrowser,Swift,"Simple PhotoBrowser/Viewer inspired by facebook, twitter photo browsers written by swift2.0.",332,29,suzuki-0000,keishi suzuki,User,"Tokyo, Japan",332
Font-Awesome-Swift,Vaberer/Font-Awesome-Swift,Swift,Font Awesome swift library for iOS. ,333,17,Vaberer,Patrik Vaberer,User,,333
DVR,venmo/DVR,Swift,Network testing for Swift,333,18,venmo,Venmo,Organization,10001,1050
Runes,thoughtbot/Runes,Swift,Infix operators for monadic functions in Swift,332,29,thoughtbot,"thoughtbot, inc.",Organization,"USA, London, Stockholm ",5368
Revert,revealapp/Revert,Swift,REVEal Rendering Test,331,23,revealapp,Reveal.app,Organization,"Melbourne, Australia",331
swift-3-api-guidelines-review,apple/swift-3-api-guidelines-review,Swift,,330,37,apple,Apple,Organization,"Cupertino, CA",34543
refactor-the-mega-controller,andymatuschak/refactor-the-mega-controller,Swift,"Commits contain refactoring steps taken in my talk, 'Let's Play: Refactor the Mega-Controller'",329,22,andymatuschak,Andy Matuschak,User,"San Francisco, CA",329
siesta,bustoutsolutions/siesta,Swift,iOS REST Client Framework,328,18,bustoutsolutions,"Bust Out Solutions, Inc.",Organization,"Minneapolis, MN",328
Filterpedia,FlexMonkey/Filterpedia,Swift,Core Image Filter explorer,328,11,FlexMonkey,simon gladman,User,"London, United Kingdom",1946
SwiftyFORM,neoneye/SwiftyFORM,Swift,SwiftyFORM is a form framework for iOS written in Swift,326,25,neoneye,Simon Strandgaard,User,Copenhagen - Denmark,326
Cherry,kenshin03/Cherry,Swift,Mini Pomodoro Timer app designed for the  Watch. Written in Swift.,323,33,kenshin03,Kenny Tang,User,,323
SwiftLocation,malcommac/SwiftLocation,Swift,"CoreLocation Made Easy, 100% Swift",322,25,malcommac,Daniele Margutti,User,"Rome, Italy",1542
SwiftWebSocket,tidwall/SwiftWebSocket,Swift,High performance WebSocket client library for Swift.,321,25,tidwall,Josh Baker,User,"Tempe, AZ",952
COBezierTableView,knutigro/COBezierTableView,Swift,Custom TableView written in Swift where cells are scrolling in an arc defined by a BezierPath. Project even include classes for testing and constructing new BezierPaths for testing new UI.,321,13,knutigro,Knut Inge Grøsland,User,"Malmö, Sweden",321
focus,mozilla/focus,Swift,Focus by Firefox.,320,29,mozilla,Mozilla,Organization,"Mountain View, California",1905
PhotoBrowser,CharlinFeng/PhotoBrowser,Swift,Photo Browser Terminator,319,64,CharlinFeng,时点软件 冯成林,User,APP业务合作QQ:2113171554,4323
SwiftCop,andresinaka/SwiftCop,Swift,SwiftCop is a validation library fully written in Swift and inspired by the clarity of Ruby On Rails Active Record validations.,315,19,andresinaka,Andres Canal,User,Argentina,315
DynamicBlurView,KyoheiG3/DynamicBlurView,Swift,DynamicBlurView is a dynamic and high performance UIView subclass for Blur.,317,18,KyoheiG3,Kyohei Ito,User,"Tokyo, Japan",1044
BlackHawk,Lucky-Orange/BlackHawk,Swift,High performance Cordova compatible javascript-native reflection bridge based on fast and sexy WKWebView written in pure Swift.,316,32,Lucky-Orange,,Organization,,316
SwiftyDrop,morizotter/SwiftyDrop,Swift,Lightweight dropdown message bar in Swift. It's simple and beautiful.,317,32,morizotter,Morita Naoki,User,tokyo,666
SwiftRandom,thellimist/SwiftRandom,Swift,A tiny generator of random data for swift,316,15,thellimist,Furkan Yilmaz,User,San Francisco,461
PSOperations,pluralsight/PSOperations,Swift,A framework for advanced NSOperations usage,315,27,pluralsight,pluralsight,Organization,,315
Tomate,dasdom/Tomate,Swift,This is in the App Store as Fojusi,315,42,dasdom,Dominik Hauser,User,"Düsseldorf, Germany",2125
Auto-Layout-Showcase,philcn/Auto-Layout-Showcase,Swift,Project for demonstrating several auto layout techniques on iOS.,314,40,philcn,Jiaqi Guo,User,Beijing,314
GMStepper,gmertk/GMStepper,Swift,A stepper with a sliding label in the middle.,312,22,gmertk,Gunay Mert Karadogan,User,Turkey,1989
ZMaterialDesignUIButton,richzertuche/ZMaterialDesignUIButton,Swift,Swift Material Design UIButton,311,28,richzertuche,Ricardo Zertuche,User,México,906
UIViewXXYBoom,xxycode/UIViewXXYBoom,Swift,一个好玩的效果,原谅我在家里网速慢,没有升级到Xcode 7,还是用的swift1.2,回到公司马上改到2.0 ,311,32,xxycode,Xiaoxueyuan,User,GuangZhou.China,311
MBMotion,mmoaay/MBMotion,Swift,随便实现的动效,正在慢慢丰富中…,308,27,mmoaay,mmoaay,User,Shanghai China,308
Uther,callmewhy/Uther,Swift,"Chat with the cute alien, help you make a memorandum!",309,66,callmewhy,Hyde Wang,User,China,537
Himotoki,ikesyo/Himotoki,Swift,A type-safe JSON decoding library purely written in Swift,306,12,ikesyo,Syo Ikeda,User,"Kyoto, Japan",306
Mirror,kostiakoval/Mirror,Swift,Swift objects Reflection,306,14,kostiakoval,Kostiantyn Koval,User,"Sogndal, Norway",306
SwiftQRCode,liufan321/SwiftQRCode,Swift,Simple QRCode detector and generator in Swift,305,74,liufan321,Fan Liu,User,China,960
TKAnimatedCheckButton,entotsu/TKAnimatedCheckButton,Swift,Animated Check Button inspired by http://robb.is/working-on/a-hamburger-button-transition/ and https://dribbble.com/shots/1631598-On-Off,300,10,entotsu,Takuya Okamoto,User,"Tokyo, Japan",2833
RainbowNavigation,DanisFabric/RainbowNavigation,Swift,An easy way to change backgroundColor of UINavigationBar when Push & Pop,294,22,DanisFabric,danisfabric,User,,294
Swift-Flow,Swift-Flow/Swift-Flow,Swift,Unidirectional Data Flow in Swift,269,6,Swift-Flow,,Organization,,269
CoreDataStack,bignerdranch/CoreDataStack,Swift,The Big Nerd Ranch Core Data stack. Now with Swift 2!,294,26,bignerdranch,Big Nerd Ranch,Organization,"Atlanta, GA, USA",842
SigmaSwiftStatistics,evgenyneu/SigmaSwiftStatistics,Swift,"A collection of functions for statistical calculation in iOS, OS X, watchOS and tvOS written in Swift.",295,16,evgenyneu,Evgenii Neumerzhitckii,User,"Melbourne, Australia",295
XcodeServerSDK,czechboy0/XcodeServerSDK,Swift,Access Xcode Server API with native Swift objects. Supports Xcode Server API of Xcode 6 and 7.,294,16,czechboy0,Honza Dvorsky,User,,746
PullToRefresh,Yalantis/PullToRefresh,Swift,This component implements pure pull-to-refresh logic and you can use it for developing your own pull-to-refresh animations,293,42,Yalantis,Yalantis,Organization,"Ukraine, Dnepropetrovsk",28436
MusicKit,benzguo/MusicKit,Swift,A framework for composing and transforming music in Swift,294,12,benzguo,Ben Guo,User,NYC,294
Fakery,vadymmarkov/Fakery,Swift,Swift fake data generator,294,9,vadymmarkov,Vadym Markov,User,"Oslo, Norway",294
RandomColorSwift,onevcat/RandomColorSwift,Swift,An attractive color generator for Swift. Ported from randomColor.js.,290,26,onevcat,Wei Wang,User,"Kawasaki, Japan",5422
TKSwitcherCollection,TBXark/TKSwitcherCollection,Swift,An animate switch collection,291,30,TBXark,TBXark,User,Shenzhen China,889
Swifternalization,tomkowz/Swifternalization,Swift,Localize iOS apps in a smarter way using JSON files. Swift framework.,288,20,tomkowz,Tomasz Szulc,User,"Szczecin, Poland",288
swiftrsrc,indragiek/swiftrsrc,Swift,Resource code generation tool for Swift,289,10,indragiek,Indragie Karunaratne,User,"Edmonton, AB",1282
SABlurImageView,szk-atmosphere/SABlurImageView,Swift,You can use blur effect and it's animation easily to call only two methods.,289,13,szk-atmosphere,Taiki Suzuki,User,"Tokyo, Japan",1944
JSQDataSourcesKit,jessesquires/JSQDataSourcesKit,Swift,"Type-safe, value-oriented, composable data source objects that keep your view controllers light",288,12,jessesquires,Jesse Squires,User,"San Francisco, CA",660
Cereal,Weebly/Cereal,Swift,Swift object serialization,288,5,Weebly,Weebly,Organization,"San Francisco, CA",288
EZSwipeController,goktugyil/EZSwipeController,Swift,:point_up_2: UIPageViewController like Snapchat/Tinder/iOS Main Pages,287,22,goktugyil,Goktug Yilmaz,User,San Francisco,1647
Seam,nofelmahmood/Seam,Swift,Seamless CloudKit Sync with CoreData,288,18,nofelmahmood,Nofel Mahmood,User,"Islamabad,Pakistan",288
EZLoadingActivity,goktugyil/EZLoadingActivity,Swift,:hatching_chick: Lightweight Swift loading activity for iOS7+,282,28,goktugyil,Goktug Yilmaz,User,San Francisco,1647
watchOS-2-heartrate,coolioxlr/watchOS-2-heartrate,Swift,"watchOS 2.0 healthkit, heartrate streaming, start workout session",284,39,coolioxlr,Ethan Fan,User,Mountain View,284
replete,mfikes/replete,Swift,ClojureScript REPL iOS app,283,11,mfikes,Mike Fikes,User,"Leesburg, VA",675
Prephirences,phimage/Prephirences,Swift,"Prephirences is a Swift library that provides useful protocols and convenience methods to manage application preferences, configurations and app-state.",282,14,phimage,You shall not pass,User,France,406
SyntaxKit,soffes/SyntaxKit,Swift,TextMate-style syntax highlighting,283,13,soffes,Sam Soffes,User,San Francisco,730
Starburst,mobitar/Starburst,Swift,A collection of animated loading sequences for Apple Watch,281,21,mobitar,Mo Bitar,User,"Chicago, USA",281
Magic,ArtSabintsev/Magic,Swift,A Swift alternative for Objective-C's DLog macro.,280,9,ArtSabintsev,Arthur Ariel Sabintsev,User,"Washington, DC",1845
Twinkle,piemonte/Twinkle,Swift,:sparkles: Swift and easy way to make elements in your iOS and tvOS app twinkle,278,24,piemonte,patrick piemonte,User,"San Francisco, CA",278
ReactiveAnimation,ReactiveCocoa/ReactiveAnimation,Swift,Declarative animations using ReactiveCocoa signals,280,9,ReactiveCocoa,,Organization,,280
ReduxKit,ReduxKit/ReduxKit,Swift,ReduxKit is a predictable state container for Swift apps.,266,8,ReduxKit,,Organization,,266
Stick-Hero-Swift,phpmaple/Stick-Hero-Swift,Swift,a universal iOS Game using Swift and iOS SpriteKit,277,46,phpmaple,KooFrank,User,ShangHai China,277
BFKit-Swift,FabrizioBrancati/BFKit-Swift,Swift,BFKit Swift is a collection of useful classes to develop Apps faster —,274,37,FabrizioBrancati,Fabrizio Brancati,User,"Italy, Milan",274
Cheetah,suguru/Cheetah,Swift,Easy animation library on iOS with Swift2,271,8,suguru,Suguru Namura,User,Japan,271
ScrollPager,aryaxt/ScrollPager,Swift,A scroll pager that displays a list of tabs (segments) and manages paging between given views,270,35,aryaxt,Aryan Ghassemi,User,San Francisco,270
SafariAutoLoginTest,mackuba/SafariAutoLoginTest,Swift,A demo showing how you can auto-login users to an iOS app (on iOS 9) based on Safari cookies,270,9,mackuba,Kuba Suder,User,"Kraków, Poland",270
ParticleLab,FlexMonkey/ParticleLab,Swift,Particle system that's both calculated and rendered on the GPU using the Metal framework,267,25,FlexMonkey,simon gladman,User,"London, United Kingdom",1946
SwiftColorArt,Jan0707/SwiftColorArt,Swift,,267,29,Jan0707,Jan Gregor Triebel,User,Germany,267
SwiftEventBus,cesarferreira/SwiftEventBus,Swift,A publish/subscribe EventBus optimized for iOS,266,27,cesarferreira,César Ferreira,User,Lisbon,2122
PullToMakeFlight,Yalantis/PullToMakeFlight,Swift,Custom animated pull-to-refresh that can be easily added to UIScrollView,262,37,Yalantis,Yalantis,Organization,"Ukraine, Dnepropetrovsk",28436
Regex,sharplet/Regex,Swift,A Swift µframework providing an NSRegularExpression-backed Regex type,260,8,sharplet,Adam Sharp,User,"Melbourne, Australia",260
SwiftyStateMachine,macoscope/SwiftyStateMachine,Swift,Swift µframework for creating state machines,260,8,macoscope,Macoscope,Organization,"Warsaw, Poland",260
PennyPincher,fe9lix/PennyPincher,Swift,"A fast gesture recognizer based on the PennyPincher algorithm, written in Swift.",261,13,fe9lix,,User,,261
FFLabel,liufan321/FFLabel,Swift,,257,52,liufan321,Fan Liu,User,China,960
Zephyr,ArtSabintsev/Zephyr,Swift,Effortlessly synchronize NSUserDefaults over iCloud.,257,9,ArtSabintsev,Arthur Ariel Sabintsev,User,"Washington, DC",1845
AKPickerView-Swift,Akkyie/AKPickerView-Swift,Swift,A simple yet customizable horizontal picker view. ,258,36,Akkyie,Akkyie Y,User,"Yokohama, Japan",258
cariocamenu,arn00s/cariocamenu,Swift,The fastest zero-tap iOS menu.,256,14,arn00s,Arnaud Schloune,User,Luxembourg,256
KFSwiftImageLoader,kiavashfaisali/KFSwiftImageLoader,Swift,"An extremely high-performance, lightweight, and energy-efficient pure Swift async web image loader with memory and disk caching for iOS and  Watch.",256,22,kiavashfaisali,Kiavash Faisali,User,"Mississauga, ON",603
Safe,tidwall/Safe,Swift,Modern Concurrency and Synchronization for Swift.,253,7,tidwall,Josh Baker,User,"Tempe, AZ",952
MLSwiftBasic,MakeZL/MLSwiftBasic,Swift,UI and animation of the basic framework of swift,253,38,MakeZL,MakeZL,User,Beijing China.,990
SwiftSequence,oisdk/SwiftSequence,Swift,"A μframework of extensions for SequenceType in Swift 2.0, inspired by Python's itertools, Haskell's standard library, and other things.",249,9,oisdk,Oisin Kidney,User,,249
WeatherMap,TakefiveInteractive/WeatherMap,Swift,WeatherMap combines weather info with map display. You can view the ongoing weather change of an entire region in one scroll! A tool designed for those of you who road-trip or travel around often.,249,48,TakefiveInteractive,Takefive Interactive,Organization,,249
SwiftFilePath,nori0620/SwiftFilePath,Swift,Simple and powerful wrapper for NSFileManager.,250,33,nori0620,Norihiro Sakamoto,User,,250
TFBubbleItUp,thefuntasty/TFBubbleItUp,Swift,"Custom view for writing tags, contacts and etc. - written in Swift",248,13,thefuntasty,The Funtasty,Organization,"Brno, Czech Republic",248
swiftra,takebayashi/swiftra,Swift,Sinatra-like DSL for developing web apps in Swift,245,5,takebayashi,Shun Takebayashi,User,,245
TransitionTreasury,DianQK/TransitionTreasury,Swift,Easier way to push your viewController.,246,11,DianQK,,User,,501
AttributedLabel,KyoheiG3/AttributedLabel,Swift,"Easy to use, fast, and higher performance than UILabel.",244,13,KyoheiG3,Kyohei Ito,User,"Tokyo, Japan",1044
AAFaceDetection,aaronabentheuer/AAFaceDetection,Swift,Prototyping-Library providing easy access to iOS face detection features through NSNotification.,244,14,aaronabentheuer,Aaron Abentheuer,User,Schwäbisch Gmünd · Germany,720
JGTransitionCollectionView,JayGajjar/JGTransitionCollectionView,Swift,,244,17,JayGajjar,Jay Gajjar,User,India,244
CoreValue,terhechte/CoreValue,Swift,Lightweight Framework for using Core Data with Value Types,244,8,terhechte,Benedikt Terhechte,User,Hamburg,469
SingleLineShakeAnimation,haaakon/SingleLineShakeAnimation,Swift,"Shake a view with a single line of code with a non-intrusive extension for UIView, written in Swift. Also supports accessability!",243,16,haaakon,Håkon Bogen,User,"Oslo, Norway",243
SwiftNotice,johnlui/SwiftNotice,Swift," GUI library for displaying various popups (HUD), written in pure Swift.",240,37,johnlui,JohnLui,User,"Beijing, China",4176
SIFloatingCollection_Swift,ProudOfZiggy/SIFloatingCollection_Swift,Swift,,241,18,ProudOfZiggy,,User,Russia,241
CoPilot,feinstruktur/CoPilot,Swift,,241,14,feinstruktur,Sven A. Schmidt,User,London,241
RealmObjectEditor,Ahmed-Ali/RealmObjectEditor,Swift,"Realm Object Editor is a visual editor where you can create your Realm entities, attributes and relationships inside a nice user interface. Once you finish, you can save your schema document for later use and you can export your entities in Swift, Objective-C and Java.",236,21,Ahmed-Ali,Ahmed Ali,User,"Netherlands, Amsterdam",236
uicollectionview-reordering,nshintio/uicollectionview-reordering,Swift,,235,66,nshintio,NSHint,Organization,,235
Punctual.swift,harlanhaskins/Punctual.swift,Swift,"Swift dates, more fun.",232,10,harlanhaskins,Harlan,User,"Rochester, New York, 14623",232
TKSwarmAlert,entotsu/TKSwarmAlert,Swift,Animated alert library like Swarm app.,233,19,entotsu,Takuya Okamoto,User,"Tokyo, Japan",2833
JSQCoreDataKit,jessesquires/JSQCoreDataKit,Swift,A swifter Core Data stack,230,27,jessesquires,Jesse Squires,User,"San Francisco, CA",660
PathDynamicModal,ra1028/PathDynamicModal,Swift,"A modal view using UIDynamicAnimator, like the Path for iOS.",233,23,ra1028,ra1028,User,Japan,585
TuningFork,comyarzaheri/TuningFork,Swift,A Simple Tuner for iOS,231,5,comyarzaheri,Comyar Zaheri,User,,558
Hokusai,ytakzk/Hokusai,Swift,A Swift library to provide a bouncy action sheet,230,18,ytakzk,ytakzk,User,Japan,230
UIStackViewPlayground,dasdom/UIStackViewPlayground,Swift,Playground to play with UIStackViews.,225,6,dasdom,Dominik Hauser,User,"Düsseldorf, Germany",2125
SourceKittenDaemon,terhechte/SourceKittenDaemon,Swift,Swift Auto Completions for any Text Editor,225,6,terhechte,Benedikt Terhechte,User,Hamburg,469
SACollectionViewVerticalScalingFlowLayout,szk-atmosphere/SACollectionViewVerticalScalingFlowLayout,Swift,"UICollectionViewLayout that performs scaling up and down automatically on disappearing cells, and applies UIDynamics.",224,31,szk-atmosphere,Taiki Suzuki,User,"Tokyo, Japan",1944
HotGirls,zangqilong198812/HotGirls,Swift,,222,44,zangqilong198812,zangqilong,User,,585
VideoSplashKit,movielala/VideoSplashKit,Swift,Video based UIViewController,220,34,movielala,MovieLaLa Inc,Organization,"San Francisco, CA",356
NaughtyImageView,kevinzhow/NaughtyImageView,Swift,UIImageView Can Animate Sprite Image,222,8,kevinzhow,Kevin,User,"Guangzhou, China",725
Shark,kaandedeoglu/Shark,Swift,Swift Script that transforms the .xcassets folder into a type safe enum,222,3,kaandedeoglu,Kaan Dedeoglu,User,Istanbul,438
MTPrivateTrainerAnimation,MartinRGB/MTPrivateTrainerAnimation,Swift,A simple implement of my design,219,20,MartinRGB,MartinRGB,User,"Beijing,China",3764
EVReflection,evermeer/EVReflection,Swift,"Reflection based JSON encoding and decoding. Including support for NSDictionary, NSCoding, Printable, Hashable and Equatable",219,25,evermeer,Edwin Vermeer,User,Wieringerwaard,330
X,soffes/X,Swift,Easier cross platform Mac & iOS development with Swift,217,12,soffes,Sam Soffes,User,San Francisco,730
KDCircularProgress,kaandedeoglu/KDCircularProgress,Swift,A circular progress view with gradients written in Swift,216,35,kaandedeoglu,Kaan Dedeoglu,User,Istanbul,438
Swift-Diagram-Playgrounds,alskipp/Swift-Diagram-Playgrounds,Swift,Drawing diagrams in Swift using a recursive enum data structure,213,10,alskipp,Al Skipp,User,London,349
ManualLayout,isair/ManualLayout,Swift,Easy to use and flexible library for manually laying out views and layers for iOS and tvOS. Supports AsyncDisplayKit.,212,5,isair,Baris Sencan,User,,212
SwiftParseChat,huyouare/SwiftParseChat,Swift,"An Example iOS Chat Application with Parse, written in Swift",207,52,huyouare,Jesse Hu,User,,207
SignalKit,yankodimitrov/SignalKit,Swift,SignalKit is a type safe event and binding Swift framework with great focus on clean and readable API.,208,10,yankodimitrov,Yanko Dimitrov,User,,208
Standard-Template-Protocols,cconeil/Standard-Template-Protocols,Swift,Protocols for your every day iOS needs,205,6,cconeil,Chris,User,"San Francisco, CA",205
Carlos,WeltN24/Carlos,Swift,A simple but flexible cache,206,9,WeltN24,WeltN24 GmbH,Organization,Berlin,206
Fluent,matthewcheok/Fluent,Swift,Swift animation made easy,206,4,matthewcheok,Matthew Cheok,User,Singapore,625
Curassow,kylef/Curassow,Swift,Swift HTTP server using the pre-fork worker model,203,11,kylef,Kyle Fuller,User,"London, England",1102
LeetCode.swift,lexrus/LeetCode.swift,Swift,"Once upon a time there was a noob of algorithms, and he knew a little about Swift.",204,16,lexrus,Lex Tang,User,"Shanghai, China",548
Compass,hyperoslo/Compass,Swift,Compass helps you setup a central navigation system for your application,204,4,hyperoslo,Hyper,Organization,Oslo,2870
Swift-at-Artsy,orta/Swift-at-Artsy,Swift,Repo for the notes for Swift at Artsy,202,17,orta,Orta,User,NYC / Huddersfield,351
Chronos-Swift,comyarzaheri/Chronos-Swift,Swift,Grand Central Dispatch Utilities,201,11,comyarzaheri,Comyar Zaheri,User,,558
MusicPlayerTransition,xxxAIRINxxx/MusicPlayerTransition,Swift,Custom interactive transition like Apple Music iOS App. written in Swift. ,201,10,xxxAIRINxxx,Airin,User,Tokyo,302
Swift-On-iOS,johnlui/Swift-On-iOS,Swift,JohnLui 的 Swift On iOS 代码仓库,200,84,johnlui,JohnLui,User,"Beijing, China",4176
ExpandingStackCells,jozsef-vesza/ExpandingStackCells,Swift,Expanding table view cells using UIStackView in iOS 9,197,6,jozsef-vesza,József Vesza,User,Budapest,197
Hermes,Imgur/Hermes,Swift,,196,8,Imgur,Imgur.com,Organization,San Francisco,427
cocoa-programming-for-osx-5e,bignerdranch/cocoa-programming-for-osx-5e,Swift,"Solutions and errata for Cocoa Programming for OS X, 5th Edition. https://www.bignerdranch.com/we-write/cocoa-programming/",192,42,bignerdranch,Big Nerd Ranch,Organization,"Atlanta, GA, USA",842
Emergence,artsy/Emergence,Swift,TV. Shows.,191,12,artsy,Artsy,Organization,"New York, NY",1392
MAGearRefreshControl,micazeve/MAGearRefreshControl,Swift,An iOS refresh control with gear animation,188,12,micazeve,Michaël Azevedo,User,France,188
KeyCast,cho45/KeyCast,Swift,Record keystroke for screencast,187,2,cho45,cho45,User,Japan,187
InceptionTouch,richzertuche/InceptionTouch,Swift,Who needs 3DTouch when you can have InceptionTouch,186,16,richzertuche,Ricardo Zertuche,User,México,906
KDIntroView,likedan/KDIntroView,Swift,,184,13,likedan,Kedan Li,User,,184
ActionSwift3,craiggrummitt/ActionSwift3,Swift,AS3 SDK in Swift - whaa?,181,18,craiggrummitt,Craig Grummitt,User,,181
SAParallaxViewControllerSwift,szk-atmosphere/SAParallaxViewControllerSwift,Swift,"SAParallaxViewControllerSwift realizes parallax scrolling with blur effect. In addition, it realizes seamless opening transition.",183,15,szk-atmosphere,Taiki Suzuki,User,"Tokyo, Japan",1944
CFRuntime,CharlinFeng/CFRuntime,Swift,重磅推出:Swift版的MJExtension,运行时、反射与一键字典模型互转,180,38,CharlinFeng,时点软件 冯成林,User,APP业务合作QQ:2113171554,4323
VoiceMemos,MoZhouqi/VoiceMemos,Swift,Voice Memos is an audio recorder App for iPhone and iPad that covers some of the new technologies and APIs introduced in iOS 8 written in Swift.,179,25,MoZhouqi,Zhouqi Mo,User,"Shanghai, China",717
PagingView,KyoheiG3/PagingView,Swift,"Infinite paging, Smart auto layout, Interface of similar to UIKit.",178,21,KyoheiG3,Kyohei Ito,User,"Tokyo, Japan",1044
QZCircleSegue,alextarrago/QZCircleSegue,Swift,QZCircleSegue is written in Swift and it is a beatiful transition between circular-shapped buttons and your View Controller.,178,9,alextarrago,Alex Tarragó,User,Barcelona,178
MediumMenu,pixyzehn/MediumMenu,Swift,A menu based on Medium iOS app.,177,22,pixyzehn,Nagasawa Hiroki,User,"Tokyo, Japan",595
MaterialCardView,cemolcay/MaterialCardView,Swift,Create material design cards quick and easy,177,15,cemolcay,Cem Olcay,User,San Francisco,457
KeyboardMan,nixzhu/KeyboardMan,Swift,KeyboardMan helps you make keyboard animation.,175,10,nixzhu,,User,,1549
keychain-swift,marketplacer/keychain-swift,Swift,"Helper functions for saving text in Keychain securely for iOS, OS X, tvOS and watchOS.",174,16,marketplacer,Marketplacer,Organization,,718
GRDB.swift,groue/GRDB.swift,Swift,A versatile SQLite toolkit for Swift,172,17,groue,Gwendal Roué,User,"Paris, France",172
KSTokenView,khawars/KSTokenView,Swift,An iOS control for displaying multiple selections as tokens.,172,27,khawars,Khawar Shahzad,User,,172
MMGooglePlayNewsStand,mukyasa/MMGooglePlayNewsStand,Swift,To Simulate iOS Google Play NewsStand app,171,38,mukyasa,Mukesh Mandora,User,"Mumbai,India",890
MarkingMenu,FlexMonkey/MarkingMenu,Swift,Swift MarkingMenu,171,9,FlexMonkey,simon gladman,User,"London, United Kingdom",1946
KMPlaceholderTextView,MoZhouqi/KMPlaceholderTextView,Swift,A UITextView subclass that adds support for multiline placeholder written in Swift.,171,18,MoZhouqi,Zhouqi Mo,User,"Shanghai, China",717
DOAlertController,okmr-d/DOAlertController,Swift,"Simple Alert View written in Swift, which can be used as a UIAlertController. (AlertController/AlertView/ActionSheet)",170,24,okmr-d,Daiki Okumura,User,"Tokyo, Japan",1980
github-issues,chriseidhof/github-issues,Swift,,168,20,chriseidhof,Chris Eidhof,User,Berlin,563
AuthenticationViewController,raulriera/AuthenticationViewController,Swift,"A simple to use, standard interface for authenticating to oauth 2.0 protected endpoints via SFSafariViewController.",165,7,raulriera,Raul Riera,User,,2277
SSASwiftReachability,SSA111/SSASwiftReachability,Swift,A Swift Library To Track Network Reachability Changes. A Replacement For Apple's Reachability Class,165,10,SSA111,Sebastian,User,"Copenhagen, Denmark",547
GoSwift,tidwall/GoSwift,Swift,"Go Goodies for Swift. Including goroutines, channels, defer, and panic.",165,8,tidwall,Josh Baker,User,"Tempe, AZ",952
VirtualGameController,robreuss/VirtualGameController,Swift,"Virtual Game Controller is a feature-rich game controller framework for iOS, tvOS, OS X and watchOS in Swift 2.1.",163,13,robreuss,Rob Reuss,User,"Berkeley, CA",163
Dwifft,jflinter/Dwifft,Swift,Swift Diff,164,5,jflinter,Jack Flintermann,User,"New York, NY",164
SimpleAlert,KyoheiG3/SimpleAlert,Swift,Customizable simple Alert and simple ActionSheet for Swift,163,11,KyoheiG3,Kyohei Ito,User,"Tokyo, Japan",1044
UI-Testing-Cheat-Sheet,joemasilotti/UI-Testing-Cheat-Sheet,Swift,How do I test this with UI Testing?,164,16,joemasilotti,Joe Masilotti,User,"Brooklyn, NY",164
RRTagController,remirobert/RRTagController,Swift,RRTagController allows user to select tag and create new one.,163,18,remirobert,rémi ,User,France ⇄ Shanghai ,307
producter-book-examples,ProducterTips/producter-book-examples,Swift,All examples in Book Producter http://producter.io,160,40,ProducterTips,,Organization,,160
BallSwift,FancyPixel/BallSwift,Swift,"This sample app roughly recreates the physics of Ball King using UIDynamics, showcasing the new addition to the API introduced in iOS 9.",161,24,FancyPixel,Fancy Pixel,Organization,Italy,705
StatusBarNotificationCenter,36Kr-Mobile/StatusBarNotificationCenter,Swift,A customisable status bar notification UI element with concurrency support,157,12,36Kr-Mobile,36Kr,Organization,Beijing,1281
BothamUI,Karumi/BothamUI,Swift,Model View Presenter Framework written in Swift.,157,16,Karumi,Karumi,Organization,"Madrid, Spain",2202
iOS-Swift-Circular-Progress-View,wltrup/iOS-Swift-Circular-Progress-View,Swift,A customisable Swift class for a progress view similar to what the Apple Watch has.,158,11,wltrup,Wagner Truppel,User,,158
swiftScan,MxABC/swiftScan,Swift,A barcode and qr code scanner( 二维码 各种码识别,生成,界面效果),156,30,MxABC,,User,,619
SwiftyDropbox,dropbox/SwiftyDropbox,Swift,Swift SDK for the Dropbox API v2 preview.,157,40,dropbox,Dropbox,Organization,San Francisco,3557
Chocolat,neonichu/Chocolat,Swift,:chocolate_bar: Generate podspecs from Swift packages.,156,0,neonichu,Boris Bügling,User,"Berlin, Germany",1957
SCSafariViewController,stringcode86/SCSafariViewController,Swift,Push / Pop modal SFSafariViewController (Hacking swipe from edge gesture),157,5,stringcode86,,User,,157
NotificationExtensionTest,hamzasood/NotificationExtensionTest,Swift,,155,2,hamzasood,Hamza Sood,User,,447
NetReachability,liufan321/NetReachability,Swift,Check Internet Reachability in Swift,155,17,liufan321,Fan Liu,User,China,960
SAInboxViewController,szk-atmosphere/SAInboxViewController,Swift,UIViewController subclass inspired by 'Inbox by google' animated transitioning.,155,11,szk-atmosphere,Taiki Suzuki,User,"Tokyo, Japan",1944
SwiftPriorityQueue,davecom/SwiftPriorityQueue,Swift,A Generic Priority Queue in Pure Swift,153,17,davecom,David Kopec,User,New York,153
beauties,liushuaikobe/beauties,Swift,:yum: Fetch and display images.,153,26,liushuaikobe,Shuai Liu,User,"Hangzhou, China",153
cordova-plugin-iosrtc,eface2face/cordova-plugin-iosrtc,Swift,Cordova iOS plugin exposing the full WebRTC W3C JavaScript APIs,153,39,eface2face,"eFace2Face, Inc.",Organization,,153
LoadingImageView,ggamecrazy/LoadingImageView,Swift,"Loading Indicator for UIImageView, written in Swift.",152,10,ggamecrazy,Cezar Cocu,User,NYC,152
Pistachio,felixjendrusch/Pistachio,Swift,Generic model framework,152,5,felixjendrusch,Felix Jendrusch,User,Berlin,152
apous,owensd/apous,Swift,Let's make Swift scripting a reality.,151,8,owensd,David Owens II,User,"Bellevue, WA",151
QRCode,aschuch/QRCode,Swift,A QRCode generator written in Swift.,149,35,aschuch,Alexander Schuch,User,"Vienna, Austria",149
IconMaker,kaphacius/IconMaker,Swift,an Xcode plug-in for making app icons,150,11,kaphacius,Yurii,User,Amsterdam,150
SmoothScribble,FlexMonkey/SmoothScribble,Swift,Smooth Drawing for iOS in Swift with Hermite Spline Interpolation,149,13,FlexMonkey,simon gladman,User,"London, United Kingdom",1946
LSYevernote,allsome/LSYevernote,Swift,印象笔记 evernote transition spring animation,149,25,allsome,tony,User,杭州,149
Reflect,CharlinFeng/Reflect,Swift,"Reflection, Dict2Model, Model2Dict, Archive",148,37,CharlinFeng,时点软件 冯成林,User,APP业务合作QQ:2113171554,4323
SDECollectionViewAlbumTransition,seedante/SDECollectionViewAlbumTransition,Swift,CollectionView Controller Transition like open and close an album.,146,28,seedante,,User,shanghai,601
LxThroughPointsBezier-Swift,DeveloperLx/LxThroughPointsBezier-Swift,Swift,An ideal iOS library using swift programming language. Draw a smooth curve through several points you designated. The curve‘s bend level is adjustable.,145,12,DeveloperLx,Developer.Lx,User,"Beijing, China.",1801
ruby-china-ios,swordray/ruby-china-ios,Swift,Ruby China for iOS,145,23,swordray,Jianqiu Xiao,User,"Bejing, China",145
EZAlertController,thellimist/EZAlertController,Swift,Easy Swift UIAlertController,145,18,thellimist,Furkan Yilmaz,User,San Francisco,461
ReactiveTwitterSearch,ColinEberhardt/ReactiveTwitterSearch,Swift,A ReactiveCocoa 4.0 MVVM example,145,16,ColinEberhardt,Colin Eberhardt,User,"Newcastle, UK",319
Kinder,remirobert/Kinder,Swift,The basics of a Tinder-like swipeable cards interface controller,144,8,remirobert,rémi ,User,France ⇄ Shanghai ,307
DeepLearningKit,DeepLearningKit/DeepLearningKit,Swift,"Open Source Deep Learning Framework for Apple's iOS, OS X and tvOS - ",138,16,DeepLearningKit,,Organization,,138
BrowserTV,zats/BrowserTV,Swift,Turn your TV into a dashboard displaying any webpage!,141,7,zats,Sash Zats,User,San Francisco,283
ZLSwiftRefresh,MakeZL/ZLSwiftRefresh,Swift,swift pull refresh or loadMore refresh,141,40,MakeZL,MakeZL,User,Beijing China.,990
SlidingContainerViewController,cemolcay/SlidingContainerViewController,Swift,An android scrollable tab bar style container view controller,142,25,cemolcay,Cem Olcay,User,San Francisco,457
JSQWebViewController,jessesquires/JSQWebViewController,Swift,A lightweight Swift WebKit view controller for iOS,142,12,jessesquires,Jesse Squires,User,"San Francisco, CA",660
SpringIndicator,KyoheiG3/SpringIndicator,Swift,SpringIndicator is indicator and PullToRefresh. Inspired by Material design components.,142,20,KyoheiG3,Kyohei Ito,User,"Tokyo, Japan",1044
ReactiveKit,ReactiveKit/ReactiveKit,Swift,A Swift Reactive Programming Kit,139,10,ReactiveKit,,Organization,,139
NPFlipButton,neopixl/NPFlipButton,Swift,,139,11,neopixl,Neopixl SA,User,Luxembourg,139
Fuzi,cezheng/Fuzi,Swift,A fast & lightweight XML & HTML parser in Swift with XPath & CSS support,140,9,cezheng,Ce Zheng,User,,342
MisterFusion,szk-atmosphere/MisterFusion,Swift,"MisterFusion is Swift DSL for AutoLayout. It is the extremely clear, but concise syntax, in addition, can be used in both Swift and Objective-C.",139,10,szk-atmosphere,Taiki Suzuki,User,"Tokyo, Japan",1944
Conche,Conche/Conche,Swift,Swift build system and dependency manager.,140,9,Conche,Conche,Organization,,140
SLPagingViewSwift,StefanLage/SLPagingViewSwift,Swift,Navigation bar system allowing to do a Tinder like or Twitter like. SLPagingViewSwift is a Swift port of the Objective-C of SLPagingView,138,22,StefanLage,Stefan Lage,User,France,138
YoutubeSourceParserKit,movielala/YoutubeSourceParserKit,Swift,YouTube link parser for swift,136,33,movielala,MovieLaLa Inc,Organization,"San Francisco, CA",356
TransitionManager,cemolcay/TransitionManager,Swift,"Painless custom transitioning. Easy extend, easy setup, just focus on animations.",138,13,cemolcay,Cem Olcay,User,San Francisco,457
Sapporo,nghialv/Sapporo,Swift,Cellmodel-driven collectionview manager,138,10,nghialv,Le Van Nghia,User,"Shibuya, Japan",951
core-data,objcio/core-data,Swift,Sample code for the objc.io Core Data book,138,15,objcio,objc.io,Organization,Berlin,138
Spectre,kylef/Spectre,Swift,BDD Framework and test runner for Swift projects and playgrounds,136,2,kylef,Kyle Fuller,User,"London, England",1102
Swift-Adventures-In-Monad-Land,alskipp/Swift-Adventures-In-Monad-Land,Swift,,136,6,alskipp,Al Skipp,User,London,349
KYDrawerController,ykyouhei/KYDrawerController,Swift,Side Drawer Navigation Controller similar to Android,135,24,ykyouhei,kyo__hei,User,Japan,135
Screenotate,osnr/Screenotate,Swift,:camera: Automatically annotate your screenshots.,134,7,osnr,Omar Rizwan,User,,134
OpenSim,luosheng/OpenSim,Swift,"OpenSim is an open source alternative for SimPholders, written in Swift.",134,6,luosheng,Sheng Luo,User,,134
DPTheme,dphans/DPTheme,Swift,DPTheme help you set default theme color for your app.,132,14,dphans,@baophan94,User,Viet Nam,132
OLD-functional-view-controllers,chriseidhof/OLD-functional-view-controllers,Swift,More Experiments in Functional View Controllers,132,8,chriseidhof,Chris Eidhof,User,Berlin,563
LiveGIFs,neonichu/LiveGIFs,Swift,Export your Live Photos as animated GIFs.,132,7,neonichu,Boris Bügling,User,"Berlin, Germany",1957
Stargate,contentful-labs/Stargate,Swift,A communication channel from your Mac to your watch.,131,0,contentful-labs,,Organization,,833
ActionButton,lourenco-marinho/ActionButton,Swift,Action button is a Floating Action Button inspired from Google Inbox implemented in Swift,130,29,lourenco-marinho,Lourenço Pinheiro Marinho,User,Fortaleza - Ceará,130
SocketIO-Kit,ricardopereira/SocketIO-Kit,Swift,Socket.io iOS and OSX Client compatible with v1.0 and later,130,8,ricardopereira,Ricardo Pereira,User,"Coimbra, Portugal",130
ShinpuruLayout,FlexMonkey/ShinpuruLayout,Swift,Simple Layout in Swift using HGroups & VGroups,128,8,FlexMonkey,simon gladman,User,"London, United Kingdom",1946
ios_google_places_autocomplete,watsonbox/ios_google_places_autocomplete,Swift,Google Places address entry for iOS (Swift),127,37,watsonbox,Howard Wilson,User,Paris,449
Partita,comyarzaheri/Partita,Swift,Partita is a simple instrument tuner app for iOS,126,17,comyarzaheri,Comyar Zaheri,User,,558
Crypto,soffes/Crypto,Swift,Swift CommonCrypto wrapper,128,14,soffes,Sam Soffes,User,San Francisco,730
FlowingMenu,yannickl/FlowingMenu,Swift,Interactive view transition to display menus with flowing and bouncing effects in Swift,128,17,yannickl,Yannick Loriot,User,"Paris, France",1754
Operations,danthorpe/Operations,Swift,A Swift framework inspired by WWDC 2015 Advanced NSOperations session.,126,13,danthorpe,Daniel Thorpe,User,"London, UK",564
LxGridView-swift,DeveloperLx/LxGridView-swift,Swift,Imitation iOS system desktop icon arrangement and interaction by UICollectionView!,127,9,DeveloperLx,Developer.Lx,User,"Beijing, China.",1801
ALAccordion,Alliants/ALAccordion,Swift,Accordion style container view for iOS,127,14,Alliants,Alliants,Organization,"London, and on the River",127
ADChromePullToRefresh,Antondomashnev/ADChromePullToRefresh,Swift,ADChromePullToRefresh,125,9,Antondomashnev,Anton,User,Berlin,125
Versions,zenangst/Versions,Swift,Helping you find inner peace when comparing version numbers in Swift.,124,9,zenangst,Christoffer Winterkvist,User,"Oslo, Norway",124
Erik,phimage/Erik,Swift,"Erik is an headless browser based on WebKit. An headless browser allow to run functional tests, to access and manipulate webpages using javascript.",124,7,phimage,You shall not pass,User,France,406
Wormhole,nixzhu/Wormhole,Swift,A more elegant way for message passing between iOS apps and extensions.,123,5,nixzhu,,User,,1549
SwiftMock,mflint/SwiftMock,Swift,A mocking framework for Swift,123,7,mflint,Matthew Flint,User,UK,123
SwiftRecord,arkverse/SwiftRecord,Swift,ActiveRecord for Swift. Easy Core Data,122,12,arkverse,ark,Organization,,122
RandomKit,nvzqz/RandomKit,Swift,Random data generation in Swift,121,10,nvzqz,Nikolai Vazquez,User,"Miami, FL",480
MTMusicPlayer,MartinRGB/MTMusicPlayer,Swift,simple implement an AV Player & my workmates Animation,120,12,MartinRGB,MartinRGB,User,"Beijing,China",3764
_posts,icepy/_posts,Swift,没事写写文章,自娱自乐,喜欢的话请点star,想订阅点watch,千万别fork!,120,12,icepy,,User,安江(China),1212
NipponColors,broccolii/NipponColors,Swift,An App for NipponColors,121,12,broccolii,Jingpeng Wu,User,"HangZhou, China",121
Hyperdrive,the-hypermedia-project/Hyperdrive,Swift,Generic API Client in Swift,120,12,the-hypermedia-project,,Organization,,120
Future,nghialv/Future,Swift,"Swift µframework providing Future<T, Error>",120,5,nghialv,Le Van Nghia,User,"Shibuya, Japan",951
example-package-dealer,apple/example-package-dealer,Swift,Example package for use with the Swift Package Manager,118,19,apple,Apple,Organization,"Cupertino, CA",34543
CloudKit-Demo.Swift,Yalantis/CloudKit-Demo.Swift,Swift,,117,11,Yalantis,Yalantis,Organization,"Ukraine, Dnepropetrovsk",28436
RealmResultsController,redbooth/RealmResultsController,Swift,A NSFetchedResultsController implementation for Realm written in Swift,117,4,redbooth,Redbooth,Organization,Barcelona & Redwood City,117
SwiftyRSA,TakeScoop/SwiftyRSA,Swift,RSA public/private key encryption in Swift,117,7,TakeScoop,Scoop,Organization,,117
ElasticTransition,lkzhao/ElasticTransition,Swift,A UIKit custom transition that simulates an elastic drag. Written in Swift.,117,8,lkzhao,Luke Zhao,User,"Waterloo, ON",117
KlineInSwift,mengmanzbh/KlineInSwift,Swift,用swift写的K线图,115,21,mengmanzbh,,User,,115
Pages,hyperoslo/Pages,Swift,UIPageViewController made simple,109,4,hyperoslo,Hyper,Organization,Oslo,2870
LumaJSON,jquave/LumaJSON,Swift,A super simple JSON helper for Swift,114,7,jquave,Jameson Quave,User,"Austin, TX",114
PassportScanner,evermeer/PassportScanner,Swift,"Scan the MRZ code of a passport and extract the firstname, lastname, passport number, nationality, date of birth, expiration date and personal numer.",111,20,evermeer,Edwin Vermeer,User,Wieringerwaard,330
EventBlankApp,icanzilb/EventBlankApp,Swift,A free open source iOS app for events or conferences. Read more on the app's webpage:,103,13,icanzilb,Marin Todorov,User,Barcelona,2649
PowerUpYourAnimations,icanzilb/PowerUpYourAnimations,Swift,Sample code from talks on advanced animations,112,7,icanzilb,Marin Todorov,User,Barcelona,2649
SMSegmentView,allenbryan11/SMSegmentView,Swift,Custom segmentedControl for iOS written in Swift. Supports vertical layout. Support both image and text. Highly customisable.,111,30,allenbryan11,Si,User,London,111
itjh_3DTouch,itjhDev/itjh_3DTouch,Swift,IT江湖 3D Touch Demo,111,26,itjhDev,LijunSong,User,"Beijing,China",464
Swiftx,typelift/Swiftx,Swift,Functional data types and functions for any project,111,15,typelift,TypeLift,Organization,,111
InteractivePlayerView,AhmettKeskin/InteractivePlayerView,Swift,Custom iOS music player view,110,19,AhmettKeskin,AhmetKeskin,User,Eskisehir/Turkey,110
Curry,thoughtbot/Curry,Swift,Swift implementations for function currying,111,11,thoughtbot,"thoughtbot, inc.",Organization,"USA, London, Stockholm ",5368
SwiftMongoDB,Danappelxx/SwiftMongoDB,Swift,A MongoDB interface for Swift,109,6,Danappelxx,Dan Appel,User,SF Bay Area,109
Heimdallr.swift,rheinfabrik/Heimdallr.swift,Swift,"Easy to use OAuth 2 library for iOS, written in Swift.",110,13,rheinfabrik,Rheinfabrik,Organization,"Düsseldorf, Germany",307
D3View,mozhenhau/D3View,Swift,D3View,ui util,110,27,mozhenhau,莫振华,User,广州,110
Dictater,Nosrac/Dictater,Swift,"Replacement for built-in Speech services. Supports playing, skipping, progress, and more",110,4,Nosrac,Kyle Carson,User,,110
LiterateSwiftGUI,chriseidhof/LiterateSwiftGUI,Swift,,109,5,chriseidhof,Chris Eidhof,User,Berlin,563
TimingFunctionEditor,schwa/TimingFunctionEditor,Swift,Simple swift based editor for bezier based media timing functions,108,1,schwa,Jonathan Wight,User,Berkeley CA,1548
RZVibrantButton,remzr7/RZVibrantButton,Swift,The Stylish UIButton Apple didn't provide. Built in Swift.,107,9,remzr7,Rameez Remsudeen,User,"Pittsburgh, PA / Singapore",107
PrettyColors,jdhealy/PrettyColors,Swift,Styles and colors text in the Terminal with ANSI escape codes. Conforms to ECMA Standard 48.,106,7,jdhealy,,User,"Boston, MA",106
TurtlePlayground,dimsumthinking/TurtlePlayground,Swift,Swift playground using Logo-like commands,105,11,dimsumthinking,,User,,105
MKRingProgressView,maxkonovalov/MKRingProgressView,Swift,Ring progress view similar to Activity app on Apple Watch,105,7,maxkonovalov,Max Konovalov,User,,105
iBBS-Swift,iAugux/iBBS-Swift,Swift,A BBS client in Swift,106,35,iAugux,iAugus,User,"Anhui, China",106
FlourishUI,thinkclay/FlourishUI,Swift,A highly configurable and out-of-the-box-pretty UI library,106,8,thinkclay,Clayton McIlrath,User,"Lake, MI",106
example-package-playingcard,apple/example-package-playingcard,Swift,Example package for use with the Swift Package Manager,105,16,apple,Apple,Organization,"Cupertino, CA",34543
Rainbow,NorthernRealities/Rainbow,Swift,An extension to the UIColor class in swift.,105,7,NorthernRealities,Reid Gravelle,User,"Ottawa, Ontario, Canada",105
RLDTableViewSwift,rlopezdiez/RLDTableViewSwift,Swift,"Reusable table view controller, data source and delegate for all your UITableView needs in Swift",104,8,rlopezdiez,Rafael López Diez,User,"London, United Kingdom",220
DLHamburguerMenu,DigitalLeaves/DLHamburguerMenu,Swift,A 'hamburguer' sidebar menu written entirely in swift,104,28,DigitalLeaves,Ignacio Nieto,User,"Madrid, Spain",104
swift-ascii-art,ijoshsmith/swift-ascii-art,Swift,Swift program that creates ASCII art from an image,105,20,ijoshsmith,Josh Smith,User,,105
LivePhotoDemo,genadyo/LivePhotoDemo,Swift,Apple's Live Photo demo for older iPhones,105,16,genadyo,Genady Okrain,User,"San Francisco, CA",105
XWebView,XWebView/XWebView,Swift,An extensible WebView for iOS (based on WKWebView),103,17,XWebView,,Organization,,103
Switcher,knn90/Switcher,Swift,,104,6,knn90,knn,User,,104
DDHCustomTransition,dasdom/DDHCustomTransition,Swift,Helper classes to make basic view controller transitions easier ,104,9,dasdom,Dominik Hauser,User,"Düsseldorf, Germany",2125
JTSplashView,kubatru/JTSplashView,Swift,Create the beautiful splash view.,103,12,kubatru,Jakub Truhlář,User,"Prague, Czech Republic",333
WhatColorIsIt,soffes/WhatColorIsIt,Swift,Time of day as a color as a Mac screen saver,102,4,soffes,Sam Soffes,User,San Francisco,730
ROStorageBar,prine/ROStorageBar,Swift,Dynamic Storage Bar (a là iTunes Usage Bar) written in Swift,103,4,prine,Robin Oster,User,Switzerland,103
example-package-fisheryates,apple/example-package-fisheryates,Swift,Example package for use with the Swift Package Manager,103,15,apple,Apple,Organization,"Cupertino, CA",34543
LearningRxSwift,pepaslabs/LearningRxSwift,Swift,A space to doodle as I learn RxSwift,103,5,pepaslabs,Jason Pepas,Organization,"Austin, TX",103
LoveLiver,mzp/LoveLiver,Swift,Create Apple's Live Photos from JPEG and MOV.,102,5,mzp,MIZUNO Hiroki,User,"Nagoya, Japan",102
PeriscopyPullToRefresh,anaglik/PeriscopyPullToRefresh,Swift,Pull-To-Refresh view inspired by Periscope application written in swift,102,9,anaglik,Andrzej Naglik,User,,102
Adios,ArmandGrillet/Adios,Swift,An ad blocker for iOS working with EasyList rules.,102,21,ArmandGrillet,Armand Grillet,User,France,102
AsyncMessagesViewController,nguyenhuy/AsyncMessagesViewController,Swift,"A smooth, responsive and flexible messages UI library for iOS.",102,4,nguyenhuy,Huy Nguyen,User,Finland,102
ARNTransitionAnimator,xxxAIRINxxx/ARNTransitionAnimator,Swift,Custom transition & interactive transition animator for iOS written in Swift.,101,11,xxxAIRINxxx,Airin,User,Tokyo,302
ReviewTime,nthegedus/ReviewTime,Swift,Review Time is an open source app for iOS written in Swift that show the average review times for iOS and the Mac Apps using data crowdsourced from AppReviewTime (http://appreviewtimes.com/).,101,14,nthegedus,Nathan Hegedus,User,Brasil,101
SYNQueue,THREDOpenSource/SYNQueue,Swift,A simple yet powerful queueing system for iOS (with persistence),101,5,THREDOpenSource,,Organization,,101
PySwiftyRegex,cezheng/PySwiftyRegex,Swift,Easily deal with Regex in Swift in a Pythonic way,100,3,cezheng,Ce Zheng,User,,342
DynamicButton,yannickl/DynamicButton,Swift,Yet another animated flat buttons in Swift,100,9,yannickl,Yannick Loriot,User,"Paris, France",1754
gotty,yudai/gotty,Go,Share your terminal as a web application,6003,223,yudai,Iwasaki Yudai,User,"Bay Area, CA",6003
termui,gizak/termui,Go,Golang terminal dashboard,4202,185,gizak,Zack Guo,User,"Ottawa, ON, Canada",4202
otto,hashicorp/otto,Go,Development and deployment made easy.,3947,188,hashicorp,HashiCorp,Organization,"San Francisco, CA",9584
vault,hashicorp/vault,Go,A tool for managing secrets.,3862,309,hashicorp,HashiCorp,Organization,"San Francisco, CA",9584
gxui,google/gxui,Go,An experimental Go cross platform UI library.,3432,206,google,Google,Organization,,70104
caddy,mholt/caddy,Go,"Fast, cross-platform HTTP/2 web server with automatic HTTPS",3339,233,mholt,Matt Holt,User,,3339
tidb,pingcap/tidb,Go,TiDB is a distributed NewSQL database compatible with MySQL protocol ,3195,340,pingcap,PingCAP,Organization,,3195
kit,go-kit/kit,Go,A standard library for microservices.,2836,188,go-kit,Go kit,Organization,,2836
echo,labstack/echo,Go,Echo is a fast :rocket: and unfancy micro web framework for Go.,2795,188,labstack,LabStack,Organization,,2896
git-appraise,google/git-appraise,Go,Distributed code review system for Git repos,2761,48,google,Google,Organization,,70104
runc,opencontainers/runc,Go,runc container cli tools,2387,279,opencontainers,Open Container Initiative,Organization,,2960
nes,fogleman/nes,Go,NES emulator written in Go.,2106,153,fogleman,Michael Fogleman,User,"Cary, NC",3044
godebug,mailgun/godebug,Go,A cross-platform debugger for Go.,2102,68,mailgun,Mailgun Team,Organization,"San Francisco, USA",2278
v2ray-core,v2ray/v2ray-core,Go,Building blocks for developing proxy servers in golang.,2065,322,v2ray,Darien Raymond,User,,2065
devd,cortesi/devd,Go, A local webserver for developers,1853,60,cortesi,Aldo Cortesi,User,"Dunedin, New Zealand",1853
os,rancher/os,Go,The easiest way to run Docker in production,1846,144,rancher,Rancher,Organization,,2376
httpdiff,jgrahamc/httpdiff,Go,Perform the same request against two HTTP servers and diff the results,1736,51,jgrahamc,John Graham-Cumming,User,London,2340
gryffin,yahoo/gryffin,Go,Gryffin is a large scale web security scanning platform,1665,155,yahoo,Yahoo Inc.,Organization,"Sunnyvale, California",10798
empire,remind101/empire,Go,A PaaS built on top of Amazon EC2 Container Service (ECS),1530,60,remind101,Remind,Organization,"San Francisco, CA",1637
utron,gernest/utron,Go,A lightweight MVC framework for Go(Golang),1517,64,gernest,Geofrey Ernest,User,Mwanza Tanzania,1849
fasthttp,valyala/fasthttp,Go,Fast HTTP package for Go. Tuned for high performance. Zero memory allocations in hot paths. Up to 10x faster than net/http,1463,69,valyala,Aliaksandr Valialkin,User,Kiev,1463
jvm.go,zxh0/jvm.go,Go,A JVM written in Go,1468,129,zxh0,,User,beijing,1468
vuvuzela,davidlazar/vuvuzela,Go,Private messaging system that hides metadata,1441,112,davidlazar,David Lazar,User,,1441
fabio,eBay/fabio,Go,"A fast, modern, zero-conf load balancing HTTP(S) router for deploying microservices managed by consul.",1427,70,eBay,,Organization,,1832
kingshard,flike/kingshard,Go,A high performance proxy for MySQL powered by Go,1380,260,flike,Chen Fei,User,China,1380
gb,constabulary/gb,Go,"gb, the project based build tool for Go",1375,85,constabulary,,Organization,,1375
rtop,rapidloop/rtop,Go,"rtop is an interactive, remote system monitoring tool based on SSH",1358,65,rapidloop,RapidLoop,Organization,,1473
traefik,emilevauge/traefik,Go,"Træfɪk, a modern reverse proxy",1311,56,emilevauge,Emile Vauge,User,France,1311
gore,motemen/gore,Go," Yet another Go REPL that works nicely. Featured with line editing, code completion, and more.",1308,33,motemen,Hironao OTSUBO,User,"Kyoto, Japan",1450
ccat,jingweno/ccat,Go,Colorizing `cat`,1287,25,jingweno,Jingwen Owen Ou,User,Vancouver,2385
journey,kabukky/journey,Go,"A blog engine written in Go, compatible with Ghost themes.",1281,95,kabukky,Kai H,User,"Hamburg, Germany",1281
go-fuzz,dvyukov/go-fuzz,Go,Randomized testing for Go,1220,64,dvyukov,Dmitry Vyukov,User,Munich,1220
nomad,hashicorp/nomad,Go,"A Distributed, Highly Available, Datacenter-Aware Scheduler",1190,118,hashicorp,HashiCorp,Organization,"San Francisco, CA",9584
panicparse,maruel/panicparse,Go,Crash your app in style (Golang),1191,19,maruel,M-A,User,"Ottawa, Canada",1191
go-bootstrap,go-bootstrap/go-bootstrap,Go,Generates a lean and mean Go web project.,1178,48,go-bootstrap,go-bootstrap,Organization,,1178
bat,astaxie/bat,Go,"Go implement CLI, cURL-like tool for humans",1154,102,astaxie,astaxie,User,"Shanghai, China",1154
yoke,nanopack/yoke,Go,Postgres high-availability cluster with auto-failover and automated cluster recovery.,1128,27,nanopack,,Organization,,1568
gopher-lua,yuin/gopher-lua,Go,GopherLua: VM and compiler for Lua in Go,1047,68,yuin,Yusuke Inuzuka,User,"Tokyo, Japan",1047
torrent,anacrolix/torrent,Go,Full-featured BitTorrent client package and utilities,1008,47,anacrolix,Matt Joiner,User,"Primrose Valley, 'Straya",1008
pt,fogleman/pt,Go,A path tracer written in Go.,938,45,fogleman,Michael Fogleman,User,"Cary, NC",3044
whosthere,FiloSottile/whosthere,Go,A ssh server that knows who you are. $ ssh whoami.filippo.io,896,47,FiloSottile,Filippo Valsorda,User,London,1055
gizmo,NYTimes/gizmo,Go,A Microservice Toolkit from The New York Times,882,26,NYTimes,The New York Times,Organization,"New York, NY",2066
gosms,haxpax/gosms,Go,:mailbox_closed: Your own local SMS gateway in Go,887,63,haxpax,,Organization,,887
webseclab,yahoo/webseclab,Go,set of web security test cases and a toolkit to construct new ones,868,50,yahoo,Yahoo Inc.,Organization,"Sunnyvale, California",10798
sift,svent/sift,Go,A fast and powerful alternative to grep,848,40,svent,Sven Taute,User,Germany,848
lego,xenolf/lego,Go,Let's Encrypt client and ACME library written in Go,823,31,xenolf,,User,Austria,823
centrifugo,centrifugal/centrifugo,Go,Real-time messaging (Websockets or SockJS) server in Go,815,33,centrifugal,Centrifugal,Organization,Moscow,815
clair,coreos/clair,Go,Container Vulnerability Analysis Service,815,57,coreos,CoreOS,Organization,,1738
algorithms,arnauddri/algorithms,Go,Algorithms & Data Structures in Go,816,74,arnauddri,Arnaud Drizard,User,France,816
scrape,yhat/scrape,Go,"A simple, higher level interface for Go web scraping.",809,36,yhat,yhat,Organization,"New York, NY",3165
telegraf,influxdb/telegraf,Go,The plugin-driven server agent for reporting metrics into InfluxDB.,798,166,influxdb,InfluxDB,Organization,San Francisco,1067
sup,pressly/sup,Go,Super simple deployment tool - just Unix - think of it like 'make' for a network of servers,781,18,pressly,Pressly Inc.,Organization,"Toronto, ON",1026
freecache,coocood/freecache,Go,A cache library for Go with zero GC overhead.,760,61,coocood,Ewan Chou,User,"Beijing, China",760
kala,ajvb/kala,Go,Modern Job Scheduler,747,26,ajvb,AJ Bahnken,User,"Santa Barbara, CA",747
uiprogress,gosuri/uiprogress,Go,A go library to render progress bars in terminal applications,735,17,gosuri,Greg Osuri,User,"San Francisco, CA",1384
nanobox,nanobox-io/nanobox,Go,Local Development Done Right,733,20,nanobox-io,Nanobox,Organization,,733
codetainer,codetainerapp/codetainer,Go,A Docker container in your browser.,703,55,codetainerapp,,Organization,,703
switcher,jamescun/switcher,Go,Run SSH and HTTP(S) on the same port,697,34,jamescun,James Cunningham,User,,697
templar,vektra/templar,Go,A HTTP proxy to improve usage of HTTP APIs,694,14,vektra,Vektra,Organization,California,694
endless,fvbock/endless,Go,Zero downtime restarts for go servers (Drop in replacement for http.ListenAndServe),683,31,fvbock,Florian von Bock,User,Tokyo,683
gotalk,rsms/gotalk,Go,Async peer communication protocol & library,681,29,rsms,Rasmus,User,San Francisco,681
grequests,levigross/grequests,Go,A Go 'clone' of the great and famous Requests library,680,25,levigross,Levi Gross,User,New York,680
go-torch,uber/go-torch,Go,Stochastic flame graph profiler for Go programs,670,16,uber,Uber,Organization,,2875
hyper,hyperhq/hyper,Go,CLI and Daemon for Hyper,663,63,hyperhq,Hyper,Organization,,663
blade,jondot/blade,Go,"Better asset workflow for iOS developers. Generate Xcode image catalogs for iOS / OSX app icons, universal images, and more.",653,23,jondot,Dotan J. Nahum,User,"Tel Aviv, Israel",2965
machinery,RichardKnop/machinery,Go,Machinery is an asynchronous task queue/job queue based on distributed message passing.,648,48,RichardKnop,Richard Knop,User,Taipei,869
BoomFilters,tylertreat/BoomFilters,Go,"Probabilistic data structures for processing continuous, unbounded streams.",646,27,tylertreat,Tyler Treat,User,"Podunk, Iowa",929
imaginary,h2non/imaginary,Go,Fast HTTP microservice for high-level image processing. Perfectly fitted for Docker and Heroku.,635,37,h2non,Tomás Aparicio,User,"Dublin, Ireland",3103
sshmuxd,joushou/sshmuxd,Go,sshmux frontend,624,30,joushou,Kenny Levinsen,User,"Landskrona, Sweden",1203
webwatch,jgrahamc/webwatch,Go,"Small program to download a web page, see if a string appears in it and send email if it does",604,25,jgrahamc,John Graham-Cumming,User,London,2340
gologin,dghubble/gologin,Go,"Chainable Go login handlers for authentication providers (oauth1, oauth2)",581,18,dghubble,Dalton Hubble,User,"San Francisco, CA",835
niltalk,knadh/niltalk,Go,A multi-room disposable chat service written in Go that uses WebSockets for live communication.,578,32,knadh,Kailash Nadh,User,,578
serve2d,joushou/serve2d,Go,Protocol detecting server,579,11,joushou,Kenny Levinsen,User,"Landskrona, Sweden",1203
pholcus,henrylee2cn/pholcus,Go,[爬虫框架 (golang)] Pholcus(幽灵蛛)是一款纯Go语言编写的高并发、分布式、重量级爬虫软件,支持单机、服务端、客户端三种运行模式,拥有Web、GUI、命令行三种操作界面;规则简单灵活、批量任务并发、输出方式丰富(mysql/mongodb/csv/excel等)、有大量Demo共享;同时她还支持横纵向两种抓取模式,支持模拟登录和任务暂停、取消等一系列高级功能。,577,172,henrylee2cn,HenryLee,User,,577
specs,opencontainers/specs,Go,Open Container Specifications,573,100,opencontainers,Open Container Initiative,Organization,,2960
talk-yapc-asia-2015,bradfitz/talk-yapc-asia-2015,Go,talk-yapc-asia-2015,572,28,bradfitz,Brad Fitzpatrick,User,"San Francisco, CA",572
termloop,JoelOtter/termloop,Go,"Terminal-based game engine for Go, built on top of Termbox",567,26,JoelOtter,Joel Auterson,User,London/Belfast,567
goim,Terry-Mao/goim,Go,goim,565,164,Terry-Mao,Terry.Mao,User,"China, BeiJing",702
expvarmon,divan/expvarmon,Go,TermUI based monitor for Go apps using expvars (/debug/vars). Quickest way to monitor your Go app(s).,558,23,divan,Ivan Daniluk,User,"NYC, USA",841
libnetwork,docker/libnetwork,Go,Docker Networking,553,239,docker,Docker,Organization,,6701
dkron,victorcoder/dkron,Go,"Dkron - Distributed, fault tolerant job scheduling system http://dkron.io",546,25,victorcoder,Victor Castell,User,Barcelona,546
sneaker,codahale/sneaker,Go,A tool for securely storing secrets on S3 using Amazon KMS.,537,23,codahale,Coda Hale,User,"Oakland, CA",537
dex,coreos/dex,Go,OpenID Connect Identity (OIDC) and OAuth 2.0 Provider with Pluggable Connectors,519,62,coreos,CoreOS,Organization,,1738
authboss,go-authboss/authboss,Go,The boss of http auth.,516,12,go-authboss,,Organization,,516
hydra,ory-am/hydra,Go,Run your own AWS-like identity & access management (IAM) service with OAuth2 capabilities in less than 2 minutes. Written in Go. Backed by PostgreSQL. Built transparent and cloud native.,508,15,ory-am,ory.am,Organization,"Munich, Germany",508
pingo,dullgiulio/pingo,Go,Plugins for Go,513,28,dullgiulio,Giulio Iotti,User,"Tallinn, Estonia",618
muxy,mefellows/muxy,Go,Simulating real-world distributed system failures,513,11,mefellows,Matt Fellows,User,Melbourne,513
docket,netvarun/docket,Go,Docket - Custom docker registry that allows for lightning fast deploys through bittorrent,507,16,netvarun,,User,,507
gods,emirpasic/gods,Go,"Go Data Structures. Tags: Containers, Sets, Lists, Stacks, Maps, Trees, HashSet, TreeSet, ArrayList, SinglyLinkedList, DoublyLinkedList, LinkedListStack, ArrayStack, HashMap, TreeMap, RedBlackTree, BinaryHeap, Comparator, Sort",504,55,emirpasic,Emir Pasic,User,,504
codesearch,google/codesearch,Go,"Fast, indexed regexp search over large file trees",488,59,google,Google,Organization,,70104
go-freeling,advancedlogic/go-freeling,Go,Golang Natural Language Processing ,469,22,advancedlogic,Antonio Linari,User,,469
acme,hlandau/acme,Go,Automatic certificate acquisition tool for ACME (Let's Encrypt),456,9,hlandau,Hugo Landau,User,,833
notary,docker/notary,Go,Notary is a Docker project that allows anyone to have trust over arbitrary collections of data,460,67,docker,Docker,Organization,,6701
dgraph,dgraph-io/dgraph,Go,"Scalable, Distributed, Low Latency Graph Database",449,12,dgraph-io,DGraph,Organization,"Sydney, Australia",449
minio,minio/minio,Go,Cloud Storage Server for Micro Services.,448,44,minio,Minio Cloud Storage,Organization,"Redwood City, CA",604
glass,timeglass/glass,Go,Automated time tracking for Git repositories,446,11,timeglass,Timeglass,Organization,,446
gopacket,google/gopacket,Go,Provides packet processing capabilities for Go,445,77,google,Google,Organization,,70104
mist,nanopack/mist,Go,"A distributed, tag-based pub-sub service for modern web applications and container-driven cloud.",440,11,nanopack,,Organization,,1568
go-candyjs,mcuadros/go-candyjs,Go,fully transparent bridge between Go and the JavaScript,440,11,mcuadros,Máximo Cuadros,User,"Madrid, Spain",440
glow,chrislusf/glow,Go,"Glow is an easy-to-use distributed computation system written in Go, similar to Hadoop Map Reduce, Spark, Flink, Samza, etc. Currently just started and not feature rich yet, but should be reliable to run most common cases.",359,30,chrislusf,Chris Lu,User,Bay Area,359
service,kardianos/service,Go,Run go programs as a service on major platforms.,438,55,kardianos,Daniel Theophanes,User,,764
reborn,reborndb/reborn,Go,Distributed database fully compatible with redis protocol,435,62,reborndb,,Organization,,623
goml,cdipaolo/goml,Go,On-line Machine Learning in Go (and so much more),427,19,cdipaolo,Conner DiPaolo,User,California,529
scope,weaveworks/scope,Go,"Monitoring, visualisation & management for Docker",425,25,weaveworks,Weaveworks,Organization,London and San Francisco,425
readline,chzyer/readline,Go,Readline is a pure go(golang) implementation for GNU-Readline kind library,418,19,chzyer,Chzyer,User,China,418
go-micro,micro/go-micro,Go,A pluggable RPC microservice library in Go,404,24,micro,Micro,Organization,London,564
gopl-zh,golang-china/gopl-zh,Go,Go语言圣经《The Go Programming Language》中文版!,404,75,golang-china,Go语言中国社区,Organization,,404
go-is-not-good,ksimka/go-is-not-good,Go,A curated list of articles complaining that go (golang) isn't good enough,393,14,ksimka,Maksim Kochkin,User,,393
skizze,seiflotfy/skizze,Go,A probabilistic data structure service and storage,387,37,seiflotfy,Seif Lotfy,User,"Frankfurt, Germany",518
uilive,gosuri/uilive,Go,uilive is a go library for updating terminal output in realtime,386,7,gosuri,Greg Osuri,User,"San Francisco, CA",1384
badwolf,google/badwolf,Go,Temporal graph store abstraction layer.,383,21,google,Google,Organization,,70104
siberite,bogdanovich/siberite,Go,"Siberite is a simple, lightweight, leveldb backed message queue written in Go.",383,15,bogdanovich,Anton Bogdanovich,User,San Francisco,383
service,hlandau/service,Go,Easily write daemonizable services in Go,377,11,hlandau,Hugo Landau,User,,833
melody,olahol/melody,Go,:notes: Minimalist websocket framework for Go,370,29,olahol,Ola Holmström,User,"Göteborg, Sweden",999
validator,go-playground/validator,Go,":100:Go Struct and Field validation, including Cross Field, Cross Struct, Map, Slice and Array diving",362,24,go-playground,Go Playgound,Organization,Canada,362
shortuuid,renstrom/shortuuid,Go,":mushroom: A generator library for concise, unambiguous and URL-safe UUIDs",361,14,renstrom,Peter Renström,User,"Uppsala, Sweden",558
calc,alfredxing/calc,Go,"A simple, fast command-line calculator written in Go",361,20,alfredxing,Alfred Xing,User,"Vancouver, Canada",361
helm,helm/helm,Go,Helm - The Kubernetes Package Manager,357,31,helm,The Helm Project,Organization,,357
grind,rsc/grind,Go,Grind polishes Go programs.,354,10,rsc,Russ Cox,User,"Cambridge, MA",772
compress,klauspost/compress,Go,Optimized compression packages,352,19,klauspost,Klaus Post,User,Denmark,671
hc,brutella/hc,Go,HomeControl is an implementation of the HomeKit Accessory Protocol (HAP) in Go.,342,34,brutella,Matthias,User,Austria,342
tollbooth,didip/tollbooth,Go,Simple middleware to rate-limit HTTP requests.,342,25,didip,Didip Kerabat,User,"Portland, Oregon",342
goofys,kahing/goofys,Go,a Filey System for Amazon S3 written in Go,343,14,kahing,Ka-Hing Cheung,User,"San Francisco, CA",343
ran,m3ng9i/ran,Go,a simple static web server written in Go,330,14,m3ng9i,mengqi,User,"Taiyuan, Shanxi, China",330
go-arg,alexflint/go-arg,Go,Struct-based argument parsing in Go,329,11,alexflint,Alex Flint,User,"San Francisco, CA",329
pie,natefinch/pie,Go,a toolkit for creating plugins for Go applications,324,18,natefinch,Nate Finch,User,"Massachusetts, USA",324
goffee,goffee/goffee,Go,Global uptime monitoring via Tor,324,14,goffee,Goffee,Organization,"Helsinki, Finland",324
mmm,teh-cmc/mmm,Go,[Go] mmm - manual memory management library.,323,14,teh-cmc,Clement 'cmc' Rey,User,"Paris, France",323
ink,InkProject/ink,Go,An elegant static blog generator,321,38,InkProject,Ink,Organization,China,321
fanout,sunfmin/fanout,Go,Fanout - make writing parallel code even easier,320,21,sunfmin,Felix Sun,User,Hangzhou,320
reedsolomon,klauspost/reedsolomon,Go,Reed-Solomon Erasure Coding in Go,319,26,klauspost,Klaus Post,User,Denmark,671
go-in-5-minutes,arschles/go-in-5-minutes,Go,Code for Go in 5 Minutes Screencasts,316,14,arschles,Aaron Schlesinger,User,"San Francisco, CA",316
c6,c9s/c6,Go,Compile SASS Faster ! C6 is a SASS-compatible compiler written in Go.,316,13,c9s,Yo-An Lin,User,"Taipei, Taiwan",316
stathub-go,likexian/stathub-go,Go,A smart Hub for holding server Stat,315,45,likexian,Li Kexian,User,"Shenzhen, China",315
GoWork,ryanskidmore/GoWork,Go,Go Library for distributing work to workers,316,6,ryanskidmore,Ryan Skidmore,User,United Kingdom,316
leveldb,golang/leveldb,Go,The LevelDB key-value database in the Go programming language.,313,19,golang,Go,Organization,,846
c2go,rsc/c2go,Go,C to Go translation tool supporting Go toolchain migration,312,20,rsc,Russ Cox,User,"Cambridge, MA",772
statgo,akhenakh/statgo,Go,"Access OS metrics from Golang,",310,17,akhenakh,Fabrice Aneche,User,"Canada, East Coast",310
certstrap,square/certstrap,Go,"Tools to bootstrap CAs, certificate requests, and signed certificates.",308,16,square,Square,Organization,,13457
gorb,kobolog/gorb,Go,Go Routing and Balancing,297,17,kobolog,Andrey Sibiryov,User,"New York, NY",297
sequence,trustpath/sequence,Go,High performance sequential log analyzer and parser,309,18,trustpath,TrustPath,Organization,,309
robo,tj/robo,Go,Simple Go / YAML-based task runner for the team.,308,9,tj,TJ Holowaychuk,User,"Victoria, BC, Canada",1369
learn,gyuho/learn,Go,learn,304,25,gyuho,Gyu-Ho Lee,User,"San Francisco, CA",304
pixiecore,danderson/pixiecore,Go,PXE booting for people in a hurry.,303,18,danderson,Dave Anderson,User,USA,303
pgfutter,lukasmartinelli/pgfutter,Go,Import CSV and JSON into PostgreSQL the easy way,301,9,lukasmartinelli,Lukas Martinelli,User,Switzerland,563
stats,thoas/stats,Go,"A Go middleware that stores various information about your web application (response time, status code count, etc.)",298,17,thoas,Florent Messa,User,"Paris, France",298
jobs,albrow/jobs,Go,A persistent and flexible background jobs library for go.,292,18,albrow,Alex Browne,User,"San Francisco, CA",292
xstrings,huandu/xstrings,Go,xstrings: A collection of useful string functions for Go.,294,21,huandu,Huan Du,User,"Beijing, China",294
webhook,adnanh/webhook,Go,"webhook is a lightweight configurable tool written in Go, that allows you to easily create HTTP endpoints (hooks) on your server, which you can use to execute configured commands.",293,36,adnanh,Adnan Hajdarević,User,"Sarajevo, Bosnia & Herzegovina",293
traildash,AppliedTrust/traildash,Go,AWS CloudTrail Dashboard,286,32,AppliedTrust,AppliedTrust,Organization,"Boulder, Colorado",286
gobenchui,divan/gobenchui,Go,UI for overview of your Golang package benchmarks progress.,283,11,divan,Ivan Daniluk,User,"NYC, USA",841
go-hardware,rakyll/go-hardware,Go,"A directory of hardware related libs, tools, and tutorials for Go",285,17,rakyll,Burcu Dogan,User,"San Francisco, CA",478
go-memdb,hashicorp/go-memdb,Go,Golang in-memory database built on immutable radix trees,283,16,hashicorp,HashiCorp,Organization,"San Francisco, CA",9584
gopy,go-python/gopy,Go,gopy generates a CPython extension module from a go package.,283,7,go-python,go-python,Organization,,283
gopl.io,adonovan/gopl.io,Go,Example programs from 'The Go Programming Language',272,56,adonovan,Alan Donovan,User,United States,272
containerd,docker/containerd,Go,Standalone Container Daemon,278,25,docker,Docker,Organization,,6701
lfs-test-server,github/lfs-test-server,Go,Standalone Git LFS server,277,43,github,GitHub,Organization,"San Francisco, CA",2165
dockerception,jamiemccrindle/dockerception,Go,Docker building dockers - keeping them small,277,9,jamiemccrindle,Jamie McCrindle,User,,277
captain,harbur/captain,Go,Captain - Convert your Git workflow to Docker :whale: containers,275,9,harbur,Harbur.io,Organization,"Barcelona, Spain",275
wsd,alexanderGugel/wsd,Go,:facepunch: cURL for WebSocket Servers,273,6,alexanderGugel,Alexander Gugel,User,London,1534
kapacitor,influxdb/kapacitor,Go,"Open source framework for processing, monitoring, and alerting on time series data",269,13,influxdb,InfluxDB,Organization,San Francisco,1067
slack,nlopes/slack,Go,Slack API in Go,270,62,nlopes,Norberto Lopes,User,,270
catena,Preetam/catena,Go,A time series storage engine for Go,269,16,Preetam,Preetam Jinka,User,Virginia,269
uitable,gosuri/uitable,Go,A go library to improve readability in terminal apps using tabular data,263,6,gosuri,Greg Osuri,User,"San Francisco, CA",1384
terminus,kelseyhightower/terminus,Go,Get facts about a Linux system.,262,14,kelseyhightower,Kelsey Hightower,User,"Portland, OR",526
redis-pipe,lukasmartinelli/redis-pipe,Go,Treat Redis Lists like Unix Pipes,262,7,lukasmartinelli,Lukas Martinelli,User,Switzerland,563
ytdl,otium/ytdl,Go,YouTube download library and CLI written in Go,258,11,otium,Ryan Coffman,User,,258
goss,aelsabbahy/goss,Go,Quick and Easy server validation,260,11,aelsabbahy,Ahmed Elsabbahy,User,,260
gaurun,mercari/gaurun,Go,A general push notification server in Go,260,16,mercari,"Mercari, Inc.",Organization,,260
go-react-example,toscale/go-react-example,Go,[DEPRECATED] TAKE A LOOK THIS PROJECT https://github.com/olebedev/go-starter-kit INSTEAD. This is an example of project which shows how to render React app on Golang server-side,257,15,toscale,to scale,Organization,,257
syncer,stargrave/syncer,Go,Fast stateful file/disk data syncer (mirror of http://git.cypherpunks.ru/cgit.cgi/syncer.git/),258,6,stargrave,Sergey Matveev,User,Russian Federation,258
hf,hugows/hf,Go,(another) Fuzzy file finder for the command line,257,6,hugows,Hugo Schmitt,User,Brazil,257
sling,dghubble/sling,Go,A Go HTTP client library for creating and sending API requests,254,10,dghubble,Dalton Hubble,User,"San Francisco, CA",835
libcompose,docker/libcompose,Go,,253,52,docker,Docker,Organization,,6701
kati,google/kati,Go,An experimental GNU make clone,251,18,google,Google,Organization,,70104
jobrunner,bamzi/jobrunner,Go,"Framework for performing work asynchronously, outside of the request flow",248,6,bamzi,Bam Azizi,User,"Toronto, Canada",248
gitea,go-gitea/gitea,Go,"Git with a cup of tea, forked from Gogs with pr & wiki",246,29,go-gitea,Gitea,Organization,"Shanghai, CN",246
chi,pressly/chi,Go,"small, fast and expressive router / mux for Go HTTP services built with net/context",245,11,pressly,Pressly Inc.,Organization,"Toronto, ON",1026
resty,go-resty/resty,Go,Simple HTTP and REST client for Go inspired by Ruby rest-client,243,6,go-resty,,Organization,,243
goauto,dshills/goauto,Go,Go package for building automation tools,245,9,dshills,Davin Hills,User,"West Des Moines, Iowa",245
sumoshell,SumoLogic/sumoshell,Go,A terminal-only version of Sumo written in Go,241,8,SumoLogic,"Sumo Logic, Inc.",Organization,"Redwood City, CA",241
nut,jingweno/nut,Go,Vendor Go dependencies,241,12,jingweno,Jingwen Owen Ou,User,Vancouver,2385
dat,mgutz/dat,Go,Go Postgres Data Access Toolkit,241,12,mgutz,Mario Gutierrez,User,"San Diego, CA",458
hashpipe,jbenet/hashpipe,Go,hashpipe - pipe iff the hash matches,240,5,jbenet,Juan Benet,User,Earth,240
grpc-gateway,gengo/grpc-gateway,Go,gRPC to JSON proxy generator,234,26,gengo,Gengo,Organization,"Tokyo, Japan",234
golongpoll,jcuga/golongpoll,Go,golang HTTP longpolling library. Makes web pub-sub easy :smiley: :coffee: :computer:,235,8,jcuga,J Cuga,User,USA,235
gocrud,manishrjain/gocrud,Go,Go framework to simplify CRUD of structured data using Graph operations,235,15,manishrjain,Manish R Jain,User,"Sydney, Australia",235
graphql,graphql-go/graphql,Go,An implementation of GraphQL for Go / Golang,233,26,graphql-go,,Organization,,233
goqu,doug-martin/goqu,Go,SQL builder and query library for golang,234,10,doug-martin,Doug Martin,User,"Kansas City, MO",234
mandible,Imgur/mandible,Go,An all-in-one image-uploader,231,18,Imgur,Imgur.com,Organization,San Francisco,427
bane,jfrazelle/bane,Go,Custom AppArmor profile generator for docker containers,229,4,jfrazelle,Jess Frazelle,User,PID 1,514
slurp,omeid/slurp,Go,"Building with Go, easier than a slurp.",227,6,omeid,O'meid,User,"Melbourne, Australia ",227
dexec,docker-exec/dexec,Go,:whale: Command line interface for running code with Docker Exec images.,226,10,docker-exec,Docker Exec,Organization,,226
feature-flags,AntoineAugusti/feature-flags,Go,Feature flags API written in Go,224,9,AntoineAugusti,Antoine Augusti,User,"Rouen, France",224
initials-avatar,holys/initials-avatar,Go,Initials avatar for golang,225,20,holys,David Chen ,User,"ZH,CN",225
osxlockdown,SummitRoute/osxlockdown,Go,"Apple OS X tool to audit for, and remediate, security configuration settings.",163,9,SummitRoute,Summit Route,Organization,"Boulder, CO",163
mediom,huacnlee/mediom,Go,"Forum web application, an example for from Rails to Go (Revel)",224,27,huacnlee,Jason Lee,User,"Chengdu,China",484
ekanite,ekanite/ekanite,Go,The Syslog server with built-in search,224,11,ekanite,ekanite,Organization,,224
mockingjay-server,quii/mockingjay-server,Go,"Fake server, Consumer Driven Contracts and help with testing performance from one configuration file with zero system dependencies and no coding whatsoever",223,17,quii,Chris James,User,"London, UK",223
go-oauth2-server,RichardKnop/go-oauth2-server,Go,OAuth2 server written in Golang,221,12,RichardKnop,Richard Knop,User,Taipei,869
minicdn,codeskyblue/minicdn,Go,Make your private CDN.,219,51,codeskyblue,shengxiang,User,Hangzhou China,454
rocker-compose,grammarly/rocker-compose,Go,Docker composition tool with idempotency features for deploying apps composed of multiple containers.,220,9,grammarly,Grammarly,Organization,San Francisco and Kyiv,220
hero,gernest/hero,Go,Be an oauth provider today.,218,10,gernest,Geofrey Ernest,User,Mwanza Tanzania,1849
logxi,mgutz/logxi,Go,A 12-factor app logger built for performance and happy development,217,10,mgutz,Mario Gutierrez,User,"San Diego, CA",458
filebeat,elastic/filebeat,Go,Moved to: https://github.com/elastic/beats,217,35,elastic,elastic,Organization,,334
go-pry,d4l3k/go-pry,Go,An interactive REPL for Go that allows you to drop into your code at any point.,217,4,d4l3k,Tristan Rice,User,"Seattle, WA",319
gollum,trivago/gollum,Go,A n:m message multiplexer written in Go,214,16,trivago,trivago GmbH,Organization,"Düsseldorf, Germany",214
ntm,fumin/ntm,Go,An implementation of Neural Turing Machines,213,37,fumin,Fumin,User,"Taipei, Taiwan",213
requesthub,kyledayton/requesthub,Go,"Receive, Log, and Proxy HTTP requests",211,20,kyledayton,Kyle Dayton,User,,211
parse-cli,ParsePlatform/parse-cli,Go,Parse Command Line Tool,209,31,ParsePlatform,Parse,Organization,"Menlo Park, CA",4296
crowbar,q3k/crowbar,Go,Tunnel TCP over a plain HTTP session,207,11,q3k,Sergiusz Bazański,User,"Warsaw, Poland",207
noti,variadico/noti,Go,Trigger a notification when a terminal process finishes.,206,6,variadico,Jaime Piña,User,"San Francisco, CA",206
pyre,zachlatta/pyre,Go,tinder cli built at stupid hackathon san francisco 2015,206,9,zachlatta,Zach Latta,User,San Francisco,206
anyenv,mislav/anyenv,Go,rbenv-inspired version manager that can be configured to manage versions of ANYTHING,206,3,mislav,Mislav Marohnić,User,Europe,206
decimal,shopspring/decimal,Go,Arbitrary-precision fixed-point decimal numbers in go,205,32,shopspring,Spring Engineering,Organization,,205
rehook,jstemmer/rehook,Go,Webhook dispatcher,205,5,jstemmer,Joël Stemmer,User,,205
license,nishanths/license,Go,Command-line license generator written in Go,167,2,nishanths,Nishanth Shanmugham,User,Austin TX,167
mesos-consul,CiscoCloud/mesos-consul,Go,Mesos to Consul bridge for service discovery,203,41,CiscoCloud,,Organization,,2134
dockramp,jlhawn/dockramp,Go,A Client Driven Docker Image Builder,203,11,jlhawn,Josh Hawn,User,San Francisco,203
fako,wawandco/fako,Go,Struct Faker for Go,201,0,wawandco,Wawandco Team,Organization,Barranquilla/Colombia,201
micro,micro/micro,Go,A microservice toolkit,160,7,micro,Micro,Organization,London,564
govendor,kardianos/govendor,Go,Go vendor tool that works with the standard vendor file.,195,12,kardianos,Daniel Theophanes,User,,764
algernon,xyproto/algernon,Go,HTTP/2 web/application server with Lua support,197,10,xyproto,Alexander F Rødseth,User,,197
gohper,cosiner/gohper,Go,common libs here.,197,42,cosiner,aihui zhu,User,China,315
limiter,ulule/limiter,Go,Dead simple rate limit middleware for Go.,197,12,ulule,Ulule,Organization,,197
fuzzysearch,renstrom/fuzzysearch,Go,:pig: Tiny and fast fuzzy search in Go,197,12,renstrom,Peter Renström,User,"Uppsala, Sweden",558
filter,robpike/filter,Go,Simple apply/filter/reduce package.,197,10,robpike,Rob Pike,User,,197
convoy,rancher/convoy,Go,"A Docker volume plugin, managing persistent container volumes.",195,17,rancher,Rancher,Organization,,2376
gtf,leekchan/gtf,Go,gtf - a useful set of Golang Template Functions,195,5,leekchan,Kyoung-chan Lee,User,"Seoul, Korea",370
jsonenums,campoy/jsonenums,Go,This tool is similar to golang.org/x/tools/cmd/stringer but generates MarshalJSON and UnmarshalJSON methods.,194,11,campoy,Francesc Campoy,User,San Francisco,194
go2xcode,rakyll/go2xcode,Go,Go package to Xcode project generator,193,6,rakyll,Burcu Dogan,User,"San Francisco, CA",478
applikatoni,applikatoni/applikatoni,Go, :pizza: A self-hosted deployment server for your team,193,9,applikatoni,Applikatoni,Organization,,193
goweave,deferpanic/goweave,Go,Aspect Oriented Programming for Go,192,7,deferpanic,Defer Panic,Organization,"San Francisco, CA",331
containerbuddy,joyent/containerbuddy,Go,A service for autodiscovery and configuration of applications running in containers,192,13,joyent,Joyent,Organization,"San Francisco, CA, USA",192
karn,prydonius/karn,Go,Manage multiple Git identities,191,4,prydonius,Adnan Abdulhussein,User,"San Francisco, CA",191
Burrow,linkedin/Burrow,Go,Kafka Consumer Lag Checking,189,36,linkedin,LinkedIn,Organization,"Mountain View, CA, USA",2299
martian,google/martian,Go,Martian is a library for building custom HTTP/S proxies,188,20,google,Google,Organization,,70104
sonyflake,sony/sonyflake,Go,A distributed unique ID generator inspired by Twitter's Snowflake,189,4,sony,Sony,Organization,"Minato-ku, Tokyo, Japan",430
gost,ginuerzh/gost,Go,GO Simple Tunnel - a simple tunnel written in golang,188,55,ginuerzh,ginuerzh,User,Shanghai,188
qdb,reborndb/qdb,Go,"A fast, high availability, fully Redis compatible store.",188,30,reborndb,,Organization,,623
buford,RobotsAndPencils/buford,Go,A push notification delivery engine for the new HTTP/2 APNS service.,176,6,RobotsAndPencils,Robots and Pencils,Organization,Calgary,176
gigo,LyricalSecurity/gigo,Go,GIGO: PIP for GO,187,9,LyricalSecurity,Lyrical Security Ltd,Organization,,187
arc,alexanderGugel/arc,Go,:see_no_evil: An Adaptive Replacement Cache (ARC) written in Go.,187,4,alexanderGugel,Alexander Gugel,User,London,1534
relayr,simon-whitehead/relayr,Go,Simple real-time web for Go,186,10,simon-whitehead,Simon Whitehead,User,"Melbourne, Australia",186
wiki,walle/wiki,Go,"Command line tool to fetch summaries from MediaWiki wikis, like Wikipedia",186,9,walle,Fredrik Wallgren,User,"Skövde, Sweden",186
go-mysql-elasticsearch,siddontang/go-mysql-elasticsearch,Go,Sync MySQL data into elasticsearch ,186,37,siddontang,siddontang,User,China,186
kingtask,kingsoft-wps/kingtask,Go,A lightweight asynchronous timing task system powered by Go,186,33,kingsoft-wps,Kingsoft WPS,Organization,China,186
monkey,bouk/monkey,Go,Monkey patching in Go,185,3,bouk,Bouke van der Bijl,User,Ottawa,185
qor-example,qor/qor-example,Go,An example application showcasing the QOR SDK,184,34,qor,Qor,Organization,Powered By ThePlant,184
interfacer,mvdan/interfacer,Go,A linter that suggests interface types,181,3,mvdan,Daniel Martí,User,Barcelona,350
summon,conjurinc/summon,Go,A command-line tool to make working with secrets easier,184,3,conjurinc,Conjur Inc,Organization,"Boston, MA",184
uq,buaazp/uq,Go,Another simple persistent message queue.,184,24,buaazp,招牌疯子,User,China,184
sys.json,EricR/sys.json,Go,Expose server performance stats as a JSON API. Mostly just a toy project at this point.,184,14,EricR,Eric Rafaloff,User,The Internet,184
gsp,gsp-lang/gsp,Go,The gsp compiler.,183,3,gsp-lang,,Organization,,183
go-getter,hashicorp/go-getter,Go,Package for downloading things from a string URL using a variety of protocols.,181,10,hashicorp,HashiCorp,Organization,"San Francisco, CA",9584
xhandler,rs/xhandler,Go,XHandler is a bridge between net/context and http.Handler,181,7,rs,Olivier Poitrey,User,"Silicon Valley, California, USA",350
wagl,ahmetalpbalkan/wagl,Go,:bee: DNS Service Discovery for Docker Swarm –,173,8,ahmetalpbalkan,Ahmet Alp Balkan,User,"Seattle, WA, USA",173
stolon,sorintlab/stolon,Go,PostgreSQL cloud native HA replication manager,178,7,sorintlab,Sorint.lab,Organization,,178
neo,ivpusic/neo,Go,Go Web Framework,177,10,ivpusic,Ivan Pusic,User,"Munich, Germany",177
accounting,leekchan/accounting,Go,money and currency formatting for golang,175,4,leekchan,Kyoung-chan Lee,User,"Seoul, Korea",370
gofana,jwilder/gofana,Go,Standalone Grafana Server With SSL and Auth,174,7,jwilder,Jason Wilder,User,Colorado,174
pingd,pinggg/pingd,Go,Ping monitoring engine used in https://ping.gg,168,11,pinggg,,Organization,,168
yquotes,doneland/yquotes,Go,Yahoo Stock Quotes in Go,172,17,doneland,Edgaras Mickus,User,Lithuania,172
Jqs7Bot,jqs7/Jqs7Bot,Go,Telegram 中文群组列表机器人,171,28,jqs7,Jqs7,User,$GOPATH,171
safesql,stripe/safesql,Go,Static analysis tool for Golang that protects against SQL injections,171,6,stripe,Stripe,Organization,"San Francisco, CA",171
coreos-kubernetes,coreos/coreos-kubernetes,Go,"CoreOS+Kubernetes documentation, Vagrant & AWS installers",171,89,coreos,CoreOS,Organization,,1738
xid,rs/xid,Go,xid is a globally unique id generator thought for the web,169,12,rs,Olivier Poitrey,User,"Silicon Valley, California, USA",350
harp,bom-d-van/harp,Go,A Go application deployment tool.,168,2,bom-d-van,Van,User,China,168
gopher,mattn/gopher,Go,Windows Desktop Mascot Applicaiton 'Gopher',167,2,mattn,mattn,User,"Osaka, Japan",288
xurls,mvdan/xurls,Go,Extract urls from text,169,8,mvdan,Daniel Martí,User,Barcelona,350
struc,lunixbochs/struc,Go,Better binary packing for Go,168,8,lunixbochs,Ryan Hileman,User,,168
ants-go,wcong/ants-go,Go,"open source, distributed, restful crawler engine in golang",167,53,wcong,cong,User,hangzhou,167
deputy,juju/deputy,Go,deputy is a go package that adds smarts on top of os/exec,165,9,juju,Juju,Organization,,165
gvt,FiloSottile/gvt,Go,"gvt is the go vendoring tool for the GO15VENDOREXPERIMENT, based on gb-vendor",159,13,FiloSottile,Filippo Valsorda,User,London,1055
progressio,bartmeuris/progressio,Go,Go library to get progress feedback from io.Reader and io.Writer objects,164,2,bartmeuris,Bart Meuris,User,,164
watchtower,CenturyLinkLabs/watchtower,Go,Automatically update running Docker containers,163,19,CenturyLinkLabs,CenturyLink Labs,Organization,,478
degdb,degdb/degdb,Go,degdb: distributed economic graph database,162,7,degdb,degdb,Organization,,162
loadcat,hjr265/loadcat,Go,Nginx load balancer configurator,160,4,hjr265,Mahmud Ridwan,User,"Dhaka, Bangladesh",160
inspect,square/inspect,Go,"inspect is a collection of metrics gathering, analysis utilities for various subsystems of linux, mysql and postgres.",159,23,square,Square,Organization,,13457
picasso,deiwin/picasso,Go,A Go image composer,159,5,deiwin,Deiwin Sarjas,User,"Tartu, Estonia",271
mc,minio/mc,Go,Minio Client for filesystem and cloud storage,156,18,minio,Minio Cloud Storage,Organization,"Redwood City, CA",604
multicache,josephlewis42/multicache,Go,A caching library for go that supports multiple keys and various replacement algorithms.,155,6,josephlewis42,Joseph,User,"Lafayette, IN",155
gofpdf,jung-kurt/gofpdf,Go,"A PDF document generator with high level support for text, drawing and images",155,27,jung-kurt,Kurt Jung,User,"Holly, Michigan, United States",155
hoverfly,SpectoLabs/hoverfly,Go,Open source service virtualization,153,12,SpectoLabs,,Organization,London,153
gimg,Leon2012/gimg,Go,golang实现的zimg,152,21,Leon2012,Leon,User,,152
bench,tylertreat/bench,Go,A generic latency benchmarking library.,144,0,tylertreat,Tyler Treat,User,"Podunk, Iowa",929
amazon-ecs-cli,aws/amazon-ecs-cli,Go,"A custom Amazon ECS CLI that eases up the cluster setup process, enables users to run their applications locally or on ECS using the same Docker Compose file format and familiar Compose commands. ",150,19,aws,Amazon Web Services,Organization,"Seattle, WA",258
oz,subgraph/oz,Go,OZ: a sandboxing system targeting everyday workstation applications,150,8,subgraph,Subgraph,Organization,Montreal,150
go-shell,progrium/go-shell,Go,,150,3,progrium,Jeff Lindsay,User,"Austin, TX",398
gotetris,jjinux/gotetris,Go,This is a console-based version of Tetris written in Go,149,16,jjinux,Shannon -jj Behrens,User,"Concord, CA",149
gocb,couchbase/gocb,Go,The Couchbase Go SDK,147,22,couchbase,,Organization,,147
rend,Netflix/rend,Go,A memcached proxy that manages data chunking and L1 / L2 caches,148,4,Netflix,"Netflix, Inc.",Organization,"Los Gatos, California",8686
mock,golang/mock,Go,GoMock is a mocking framework for the Go programming language.,146,18,golang,Go,Organization,,846
cloud-torrent,jpillora/cloud-torrent,Go,Cloud Torrent: a self-hosted remote torrent client,145,13,jpillora,Jaime Pillora,User,"Sydney, Australia",406
chisel,jpillora/chisel,Go,A fast TCP tunnel over HTTP,145,13,jpillora,Jaime Pillora,User,"Sydney, Australia",406
deblocus,Lafeng/deblocus,Go,Hello World !,140,36,Lafeng,,Organization,,140
gompatible,motemen/gompatible,Go,A tool to show Go package's API changes between two (git) revisions,142,4,motemen,Hironao OTSUBO,User,"Kyoto, Japan",1450
mark,a8m/mark,Go,A markdown processor written in Go. built for fun.,142,3,a8m,Ariel Mashraki,User,"Tel Aviv, Israel",142
steven,thinkofdeath/steven,Go,Go Minecraft Client,139,21,thinkofdeath,Matthew Collins,User,,139
gorump,deferpanic/gorump,Go,go on Rumprun,139,2,deferpanic,Defer Panic,Organization,"San Francisco, CA",331
gl,go-gl/gl,Go,Go bindings for OpenGL (generated via glow),139,14,go-gl,OpenGL with Golang,Organization,,139
syzkaller,google/syzkaller,Go,"syzkaller is a distributed, unsupervised, coverage-guided Linux syscall fuzzer",139,22,google,Google,Organization,,70104
leeroy,docker/leeroy,Go,Jenkins integration with GitHub pull requests,138,21,docker,Docker,Organization,,6701
lambda_proc,jasonmoo/lambda_proc,Go,Running a companion process to an AWS Lambda function in go,138,18,jasonmoo,Jason Mooberry,User,"New York, NY",138
bfs,Terry-Mao/bfs,Go,distributed file system(small file storage) writen by golang.,137,31,Terry-Mao,Terry.Mao,User,"China, BeiJing",702
phosphor,mondough/phosphor,Go,Distributed System Tracing in Go,136,8,mondough,Mondo,Organization,"London, UK",136
go-carbon,lomik/go-carbon,Go,Golang implementation of Graphite/Carbon server with classic architecture: Agent -> Cache -> Persister,136,18,lomik,Roman Lomonosov,User,,136
kami,guregu/kami,Go,web 'framework' using x/net/context ,136,15,guregu,Greg,User,Tokyo,136
bimg,h2non/bimg,Go,Small Go package for fast high-level image processing using libvips via C bindings,131,24,h2non,Tomás Aparicio,User,"Dublin, Ireland",3103
osext,kardianos/osext,Go,Extensions to the standard 'os' package. Executable and ExecutableFolder.,131,17,kardianos,Daniel Theophanes,User,,764
httpq,DavidHuie/httpq,Go,Buffer HTTP requests and replay them later,132,1,DavidHuie,David Huie,User,Los Angeles,132
go-minilock,cathalgarvey/go-minilock,Go,"The minilock file encryption system, ported to pure Golang. Includes CLI utilities.",132,11,cathalgarvey,Cathal Garvey,User,Ireland,132
specs,ipfs/specs,Go,Specs for IPFS,130,18,ipfs,IPFS,Organization,Earth,130
go-algos,gophergala/go-algos,Go,,131,9,gophergala,Gopher Gala,Organization,,131
libkv,docker/libkv,Go,Distributed Key/Value store abstraction library,131,41,docker,Docker,Organization,,6701
cuckoofilter,seiflotfy/cuckoofilter,Go,Cuckoo Filter: Practically Better Than Bloom,131,6,seiflotfy,Seif Lotfy,User,"Frankfurt, Germany",518
godef,rogpeppe/godef,Go,Print where symbols are defined in Go source code,128,20,rogpeppe,Roger Peppe,User,"Newcastle upon Tyne, UK",128
getaredis,MohamedBassem/getaredis,Go,"A one click, docker based, auto scaling, Redis host implemented in Go and hosted on Digitalocean.",128,3,MohamedBassem,Mohamed Bassem,User,Egypt,128
bootgo,jjyr/bootgo,Go,A barebones OS kernel written in go,128,6,jjyr,Hari Jiang,User,"Shanghai, China",271
go-micro-services,harlow/go-micro-services,Go,"HTTP up front, Protobufs in the rear.",127,11,harlow,Harlow Ward,User,"San Francisco, CA",127
gophers,egonelbre/gophers,Go,Gophers for free use...,127,1,egonelbre,Egon Elbre,User,"Estonia, Tartu",127
snappy,golang/snappy,Go,The Snappy compression format in the Go programming language.,125,19,golang,Go,Organization,,846
ipe,dimiro1/ipe,Go,An open source Pusher server implementation compatible with Pusher client libraries written in GO,126,6,dimiro1,Claudemiro,User,"São Paulo, Brasil",126
tour,golang/tour,Go,[mirror] A Tour of Go,124,53,golang,Go,Organization,,846
hraftd,otoolep/hraftd,Go,A reference use of Hashicorp's Raft implementation,125,5,otoolep,Philip O'Toole,User,"San Francisco, CA",125
awesome-phalcon,sergeyklay/awesome-phalcon,Go,A curated list of awesome Phalcon libraries and resources,125,24,sergeyklay,Serghei Iakovlev,User,"Kiyv, Ukraine",125
lime-backend,limetext/lime-backend,Go,Backend for Lime,123,25,limetext,,Organization,,123
automi,vladimirvivien/automi,Go,Composable Stream Processing on top of Go Channels!,124,8,vladimirvivien,Vladimir Vivien,User,,124
gawp,martingallagher/gawp,Go,"A simple, configurable, file watching, job execution tool implemented in Go.",124,7,martingallagher,Martin Gallagher,User,"Manchester, UK",124
docker_auth,cesanta/docker_auth,Go,Authentication server for Docker Registry 2.0,121,39,cesanta,Cesanta Software,Organization,"Dublin, Ireland",121
kurma,apcera/kurma,Go,Kurma - Containers all the way down,122,7,apcera,Apcera,Organization,"San Francisco, CA",122
goemon,mattn/goemon,Go,五右衛門,121,10,mattn,mattn,User,"Osaka, Japan",288
go-geoindex,hailocab/go-geoindex,Go,Go native library for fast point tracking and K-Nearest queries,121,11,hailocab,Hailo,Organization,London,121
glue,desertbit/glue,Go,Glue - Robust Go and Javascript Socket Library (Alternative to Socket.io),120,6,desertbit,DesertBit,Organization,,120
archci,ArchCI/archci,Go,Distributed scalable continuous integration service with docker,121,15,ArchCI,ArchCI,Organization,International,121
go-immutable-radix,hashicorp/go-immutable-radix,Go,An immutable radix tree implementation in Golang,121,10,hashicorp,HashiCorp,Organization,"San Francisco, CA",9584
contrib,kubernetes/contrib,Go,This is a place for various components in the Kubernetes ecosystem that aren't part of the Kubernetes core.,121,109,kubernetes,kubernetes,Organization,,121
logging,FogCreek/logging,Go,A Go package for logging that supports a tagged style of logging,121,8,FogCreek,Fog Creek Software,Organization,"New York, NY",121
td,Swatto/td,Go,Your todo list in your terminal,120,4,Swatto,Gaël Gillard,User,"Andenne, Belgium",120
fragmenta-cms,fragmenta/fragmenta-cms,Go,A user-friendly CMS written in Go (golang),120,15,fragmenta,Fragmenta,Organization,London,120
compose2kube,kelseyhightower/compose2kube,Go,Convert docker-compose service files to Kubernetes objects.,120,17,kelseyhightower,Kelsey Hightower,User,"Portland, OR",526
gcsfuse,GoogleCloudPlatform/gcsfuse,Go,A user-space file system for interacting with Google Cloud Storage,119,13,GoogleCloudPlatform,Google Cloud Platform,Organization,,265
gitlab-ci-multi-runner,ayufan/gitlab-ci-multi-runner,Go,This repository is obsolete. Please go to:,119,24,ayufan,Kamil Trzciński,User,"Warsaw, Poland",119
GolangTraining,GoesToEleven/GolangTraining,Go,Training for Golang (go language),115,63,GoesToEleven,Todd McLeod,User,,234
go-config,tj/go-config,Go,Simpler Go configuration with structs.,119,3,tj,TJ Holowaychuk,User,"Victoria, BC, Canada",1369
libbeat,elastic/libbeat,Go,Moved to: https://github.com/elastic/beats,117,39,elastic,elastic,Organization,,334
zerver,cosiner/zerver,Go,a RESTful API framework,118,20,cosiner,aihui zhu,User,China,315
mack,everdev/mack,Go,Mack is a Golang wrapper for AppleScript,118,5,everdev,Andy Brewer,User,"Santa Cruz, CA",118
linx-server,andreimarcu/linx-server,Go,Self-hosted file/code/media sharing website,116,12,andreimarcu,Andrei Marcu,User,,116
frisby,verdverm/frisby,Go,API testing framework inspired by frisby-js,117,6,verdverm,Tony Worm,User,"Syracuse, NY",117
cups-connector,google/cups-connector,Go,Google Cloud Print CUPS Connector,117,19,google,Google,Organization,,70104
buffstreams,StabbyCutyou/buffstreams,Go,A library to simplify writing applications using TCP sockets to stream protobuff messages,115,5,StabbyCutyou,,User,,115
go-android-rpc,seletskiy/go-android-rpc,Go,Native Android UI via shared Golang library ,116,2,seletskiy,Stanislav Seletskiy,User,"Russia, Novosibirsk",116
backoff,jpillora/backoff,Go,Simple backoff algorithm in Go (Golang),116,10,jpillora,Jaime Pillora,User,"Sydney, Australia",406
go-disque,EverythingMe/go-disque,Go,Go client for Disque,115,2,EverythingMe,EverythingMe,Organization,,740
zodiac,CenturyLinkLabs/zodiac,Go,A lightweight tool for easy deployment and rollback of dockerized applications.,115,9,CenturyLinkLabs,CenturyLink Labs,Organization,,478
simplehttp2server,GoogleChrome/simplehttp2server,Go,,115,7,GoogleChrome,,Organization,,3031
rtop-bot,rapidloop/rtop-bot,Go,A Bot for Remote Server Monitoring over SSH,115,11,rapidloop,RapidLoop,Organization,,1473
apidemic,gernest/apidemic,Go,Fake JSON response server,114,2,gernest,Geofrey Ernest,User,Mwanza Tanzania,1849
wgo,skelterjohn/wgo,Go,Managed workspaces for Go,113,5,skelterjohn,John Asmuth,User,"New York, New York",113
golang-jwt-authentication-api-sample,brainattica/golang-jwt-authentication-api-sample,Go,,112,30,brainattica,,Organization,,112
go-mind,stevenmiller888/go-mind,Go,A neural network library built in Go,113,5,stevenmiller888,Steven Miller,User,"San Francisco, CA",1082
pigeon,PuerkitoBio/pigeon,Go,Command pigeon generates parsers in Go from a PEG grammar.,113,5,PuerkitoBio,Martin Angers,User,Québec,113
webcron,codeskyblue/webcron,Go,A new crontab that have a web page in order to replace the original crontab. Now it can try on test.,112,17,codeskyblue,shengxiang,User,Hangzhou China,454
argen,monochromegane/argen,Go,"An ORM code-generation tool for Go, provides ActiveRecord-like functionality for your types.",112,5,monochromegane,monochromegane,User,"Fukuoka, Japan",112
xj2s,wicast/xj2s,Go,A small tool for Golang to generate Golang struct from a xml/json file,112,6,wicast,wicast,User,,112
antibody,caarlos0/antibody,Go,A faster and simpler antigen written in Golang.,111,6,caarlos0,Carlos Alexandro Becker,User,Joinville - SC,111
lca2015,zorkian/lca2015,Go,linux.conf.au 2015 tutorial on Building Services in Go,112,21,zorkian,Mark Smith,User,"San Francisco, CA",112
rexray,emccode/rexray,Go,REX-Ray provides a vendor agnostic storage orchestration engine.,111,29,emccode,EMC Community Onramp for Developer Enablement,Organization,"Cambridge, MA, USA",111
interact,deiwin/interact,Go,A Golang utility belt for interacting with the user over a CLI,112,1,deiwin,Deiwin Sarjas,User,"Tartu, Estonia",271
rayito,phrozen/rayito,Go,Simple Ray Tracer written in Go.,110,6,phrozen,Guillermo Estrada,User,Mexico City,110
spaceinvaders,asib/spaceinvaders,Go,Terminal Space Invaders written in Go,110,6,asib,,User,,110
gorack,gmarik/gorack,Go,Gorack a Go backed frontend webserver for Ruby's Rack apps,111,1,gmarik,gmarik,User,"Toronto, ON, Canada",111
hecate,evanmiller/hecate,Go,The Hex Editor From Hell!,108,9,evanmiller,Evan Miller,User,"Chicago, IL",108
gobreaker,sony/gobreaker,Go,Circuit Breaker implemented in Go,110,4,sony,Sony,Organization,"Minato-ku, Tokyo, Japan",430
netgraph,ga0/netgraph,Go,Capture and analyze http and tcp streams,110,18,ga0,无心之祸,User,,110
hostess,cbednarski/hostess,Go,An idempotent command-line utility for managing your /etc/hosts file.,109,1,cbednarski,Chris Bednarski,User,Los Angeles,109
delta,octavore/delta,Go,Delta is a command-line diff tool implemented in Go.,109,0,octavore,,User,,109
recover,dre1080/recover,Go,:collision: Go HTTP middleware that catches any panics and serves a proper error response.,109,7,dre1080,andö,User,In The Code,109
gomr,turbobytes/gomr,Go,MapReduce in Go using etcd and s3,108,1,turbobytes,,Organization,,108
socketmaster,badgerodon/socketmaster,Go,"A zero-config, reverse-proxy written in Go",108,1,badgerodon,,Organization,,108
forge,brettlangdon/forge,Go,Configuration file syntax and parsing for golang,108,3,brettlangdon,Brett Langdon,User,"New York, NY",108
ghfs,ImJasonH/ghfs,Go,GitHub repos in your filesystem,107,4,ImJasonH,Jason Hall,User,"New York, NY",107
TcpRoute2,GameXG/TcpRoute2,Go,TCP 层的路由器,自动尽可能的优化 TCP 连接。 golang 重写的 TcpRoute 。,107,16,GameXG,GameXG,User,,107
deploy,remind101/deploy,Go,CLI for GitHub Deployments,107,4,remind101,Remind,Organization,"San Francisco, CA",1637
rack,convox/rack,Go,Open-source PaaS on AWS,106,18,convox,convox,Organization,,232
gt,rsc/gt,Go,go test but faster (cached),106,6,rsc,Russ Cox,User,"Cambridge, MA",772
go-peerflix,Sioro-Neoku/go-peerflix,Go,Go Peerflix,106,13,Sioro-Neoku,Sioro Neoku,User,,106
httpmock,goware/httpmock,Go,HTTP mocking in Go made easy,106,1,goware,Golang libraries for everyone,Organization,,106
ishell,abiosoft/ishell,Go,interactive shell library for creating interactive cli applications.,105,5,abiosoft,Abiola Ibrahim,User,Nigeria,105
telegram-bot-api,Syfaro/telegram-bot-api,Go,Golang bindings for the Telegram Bot API,105,14,Syfaro,Syfaro,User,"Chesterfield, MO",105
perso,dullgiulio/perso,Go,Personal Maildir-to-REST server ,105,3,dullgiulio,Giulio Iotti,User,"Tallinn, Estonia",618
distributive,CiscoCloud/distributive,Go,Unit testing for the cloud,105,9,CiscoCloud,,Organization,,2134
mongolar,mongolar/mongolar,Go,The Mongolar API server,103,9,mongolar,,Organization,,103
cascadia,andybalholm/cascadia,Go,CSS selector library in Go,103,10,andybalholm,Andy Balholm,User,"Clayton, Washington",103
collector,banyanops/collector,Go,A framework for Static Analysis of Docker container images,101,5,banyanops,,Organization,,101
messagediff,d4l3k/messagediff,Go,A library for doing diffs of arbitrary Golang structs.,102,1,d4l3k,Tristan Rice,User,"Seattle, WA",319
sentiment-server,cdipaolo/sentiment-server,Go,"Simple, Modular Microservice For Language Sentiment",102,11,cdipaolo,Conner DiPaolo,User,California,529
evo,cbarrick/evo,Go,Evolutionary Algorithms in Go,102,3,cbarrick,Chris Barrick,User,Athens GA,102
gommon,labstack/gommon,Go,Common packages for Go,101,8,labstack,LabStack,Organization,,2896
sciter,oskca/sciter,Go,Golang bindings of Sciter: the Embeddable HTML/CSS/script engine for modern UI development,100,13,oskca,,User,,100
lipwig,aerofs/lipwig,Go,Golang implementation of the Stupid-Simple Messaging Protocol,100,14,aerofs,AeroFS,Organization,"Palo Alto, CA, 94301",768
cmux,soheilhy/cmux,Go,Connection multiplexer for GoLang: serve different services on the same port!,100,4,soheilhy,Soheil Hassas Yeganeh,User,"New York, NY",100
spectro,mrmanc/spectro,Go,"Having a play with golang, while exploring spectral analysis.",100,0,mrmanc,Mark Crossfield,User,UK,100
global-hack-day-3,docker/global-hack-day-3,Go,Participant final submissions for the 3rd edition of the Docker Global Hack Day,100,77,docker,Docker,Organization,,6701
koel,phanan/koel,PHP,A personal music streaming server that works.,4927,375,phanan,Phan An,User,Singapore,13890
lumen,laravel/lumen,PHP,,3238,334,laravel,The Laravel PHP Framework,Organization,,4709
php-must-watch,phptodayorg/php-must-watch,PHP,list of interesting conference talks and videos on PHP - ,1893,139,phptodayorg,phpToday,Organization,,1893
phpunit-vw,hmlb/phpunit-vw,PHP,VW PHPUnit extension makes your failing test cases succeed under CI tools scrutiny,1587,41,hmlb,Hugues Maignol,User,"Grenoble, France",1587
FreeGeoDB,delight-im/FreeGeoDB,PHP,Free database of geographic place names and corresponding geospatial data,1515,118,delight-im,delight.im,Organization,,1679
awesome-appsec,paragonie/awesome-appsec,PHP,A curated list of resources for learning about application security,1373,79,paragonie,Paragon Initiative Enterprises,Organization,"Orlando, FL",1736
wechat,overtrue/wechat,PHP,可能是目前最优雅的微信公众平台 SDK 了,1287,469,overtrue,安正超,User,"Beijing,China",1575
tsf,tencent-php/tsf,PHP,coroutine and Swoole based php server framework in tencent,1121,292,tencent-php,tencent php team,Organization,,1121
spark,laravel/spark,PHP,,1086,158,laravel,The Laravel PHP Framework,Organization,,4709
php7dev,rlerdorf/php7dev,PHP,Documentation for the php7dev Vagrant box image,893,100,rlerdorf,Rasmus Lerdorf,User,Probably on a plane,893
xvwa,s4n7h0/xvwa,PHP,XVWA is a badly coded web application written in PHP/MySQL that helps security enthusiasts to learn application security. ,881,86,s4n7h0,Sanoop Thomas,User,,881
laravel-5-boilerplate,rappasoft/laravel-5-boilerplate,PHP,A Laravel 5 Boilerplate Project,789,226,rappasoft,Anthony Rappa,User,New York,893
Laravel-5-Generators-Extended,laracasts/Laravel-5-Generators-Extended,PHP,This package extends the core file generators that are included with Laravel 5,785,136,laracasts,Laracasts,User,"Chattanooga, TN",1211
php-gif,ErikvdVen/php-gif,PHP,,751,40,ErikvdVen,Erik van de Ven,User,"Someren, Netherlands",751
EasyAdminBundle,javiereguiluz/EasyAdminBundle,PHP,The new (and simple) admin generator for Symfony applications.,730,113,javiereguiluz,Javier Eguiluz,User,Vitoria-Gasteiz (Spain),730
laravel5-angular-material-starter,jadjoubran/laravel5-angular-material-starter,PHP,Get started with Laravel 5 and Angular (material),718,158,jadjoubran,Jad Joubran,User,"Beirut, Lebanon",854
regexpbuilderphp,gherkins/regexpbuilderphp,PHP,human-readable regular expressions for PHP 5.3+,719,33,gherkins,Max Girkens,User,"Unkel, DE",719
phan,etsy/phan,PHP,Static analyzer for PHP,671,52,etsy,"Etsy, Inc.",Organization,"Brooklyn, NY",3466
Learn-Laravel-5,johnlui/Learn-Laravel-5,PHP,Laravel 5 系列入门教程 代码示例,646,131,johnlui,JohnLui,User,"Beijing, China",4176
grumphp,phpro/grumphp,PHP,A PHP code-quality tool,616,38,phpro,Phpro,Organization,"Kontich, Belgium",616
server,ipfspics/server,PHP,Distributed image hosting,612,12,ipfspics,ipfs.pics,Organization,Montreal,612
roles,romanbican/roles,PHP,Powerful package for handling roles and permissions in Laravel 5,602,112,romanbican,Roman Bičan,User,Czech republic,602
laravel-api-generator,mitulgolakiya/laravel-api-generator,PHP,"Laravel API/Scaffold/CRUD Generator including Controller, Repository, Model, Migrations, routes.php update.",556,128,mitulgolakiya,Mitul Golakya,User,"Surat, India.",556
dashbrew,mdkholy/dashbrew,PHP,Dashbrew is a Vagrant build that aims to provide a powerful PHP development environment for developing both web and command-line projects on different PHP versions and configurations,543,46,mdkholy,Mohamed Kholy,User,"Cairo, Egypt",543
Front-end-questions-to-the-interview-stage,AutumnsWind/Front-end-questions-to-the-interview-stage,PHP,:snail:最全前端开发面试问题及答案整理,535,116,AutumnsWind,Childishness ·.·.·.·.·.·.·.·.·.·.·.·.·.·.   童心·.·.·.·.·.·.·.·.·.·.·.·.·.·. ☆      ♡♡      ♬♬♬,User,my.location = USA/China/HK };,804
api-platform,api-platform/api-platform,PHP,"API-first web framework on top of Symfony with JSON-LD, Schema.org and Hydra support",521,37,api-platform,API Platform,Organization,The World Wide Web,521
layerswp,Obox/layerswp,PHP,Layers WordPress theme by Obox,521,138,Obox,Obox Themes,Organization,"Cape Town, South Africa",521
iDict,Pr0x13/iDict,PHP,iCloud Apple iD BruteForcer,485,329,Pr0x13,,User,,485
spout,box/spout,PHP,"Read and write spreadsheet files (CSV, XLSX and ODS), in a fast and scalable way",468,43,box,Box,Organization,"Los Altos, CA",1943
funct,phpfunct/funct,PHP,A PHP library with commonly used code blocks,468,44,phpfunct,,Organization,,468
wealthbot,wealthbot-io/wealthbot,PHP,Use wealthbot.io to easily setup your own wealth management platform,464,56,wealthbot-io,wealthbot.io,Organization,"New York, NY",464
laravel-medialibrary,spatie/laravel-medialibrary,PHP,Associate files with Eloquent models,459,49,spatie,Spatie,Organization,"Antwerp, Belgium",2155
cli-menu,php-school/cli-menu,PHP,Build beautiful PHP CLI menus. Simple yet Powerful. Expressive DSL.,448,20,php-school,PHP School,Organization,,448
l5-repository,andersao/l5-repository,PHP,Laravel 5 - Repositories to abstract the database layer,447,79,andersao,Anderson Andrade,User,"Fortaleza, Brasil",447
JoliNotif,jolicode/JoliNotif,PHP,:computer: Send notifications to your desktop directly from your PHP script,444,28,jolicode,JoliCode,Organization,"Paris, France",444
php7cc,sstalle/php7cc,PHP,PHP 7 Compatibility Checker,421,19,sstalle,,User,,421
pushman,PushmanPHP/pushman,PHP,Open source websocket event handler,402,21,PushmanPHP,Pushman,Organization,"London, UK",402
html,LaravelCollective/html,PHP,HTML and Form Builders for the Laravel Framework,392,103,LaravelCollective,The Laravel Collective,Organization,,500
laravel-5-blog,yccphp/laravel-5-blog,PHP,一个用 laravel 5 开发的 博客系统,389,118,yccphp,袁超,User,,491
optimus,jenssegers/optimus,PHP,Id obfuscation based on Knuth's multiplicative hashing method for PHP.,390,12,jenssegers,Jens Segers,User,"Ghent, Belgium",390
DiDOM,Imangazaliev/DiDOM,PHP,Simple and fast HTML parser,391,36,Imangazaliev,,User,,391
sonerezh,Sonerezh/sonerezh,PHP,"A self-hosted, web-based application for stream your music, everywhere.",389,55,Sonerezh,Sonerezh,Organization,,389
lumen-framework,laravel/lumen-framework,PHP,,385,125,laravel,The Laravel PHP Framework,Organization,,4709
iOS-Mail.app-inject-kit,jansoucek/iOS-Mail.app-inject-kit,PHP,iOS 8.3 Mail.app inject kit,368,97,jansoucek,Jan Soucek,User,Prague,368
hashids,vinkla/hashids,PHP,A Hashids bridge for Laravel,362,28,vinkla,Vincent Klaiber,User,Sweden,828
laravel-backup,spatie/laravel-backup,PHP,A package to backup your Laravel 5 app,352,34,spatie,Spatie,Organization,"Antwerp, Belgium",2155
climb,vinkla/climb,PHP,A Composer version manager tool,346,15,vinkla,Vincent Klaiber,User,Sweden,828
Slacker,TidalLabs/Slacker,PHP,Simple Slack client for the CLI,337,18,TidalLabs,,Organization,,337
react-laravel,talyssonoc/react-laravel,PHP,Package for using ReactJS with Laravel,332,18,talyssonoc,Talysson de Oliveira Cassiano,User,Brazil,332
blink,bixuehujin/blink,PHP,A high performance web framework and application server in PHP. ,325,42,bixuehujin,Jin Hu,User,"Beijing, China ",325
Integrated,laracasts/Integrated,PHP,"Simple, intuitive integration testing with PHPUnit.",324,53,laracasts,Laracasts,User,"Chattanooga, TN",1211
laravel-acl,kodeine/laravel-acl,PHP,Light-weight role-based permissions system for Laravel 5 built in Auth system.,311,77,kodeine,Kodeine,User,United States,311
mvp,elementary/mvp,PHP,Minimum Viable Product for our website,308,178,elementary,elementary,Organization,,418
laravel-analytics,spatie/laravel-analytics,PHP,An opinionated Laravel 5 package to retrieve pageviews and other data from Google Analytics,306,35,spatie,Spatie,Organization,"Antwerp, Belgium",2155
easyii,noumo/easyii,PHP,Easy yii2 cms powered by Yii framework 2,296,135,noumo,,User,,296
php-semver-checker,tomzx/php-semver-checker,PHP,Compares two source sets and determines the appropriate semantic versioning to apply.,293,10,tomzx,,User,Montreal,293
laravel-wechat,overtrue/laravel-wechat,PHP,"微信 SDK for Laravel, 基于 overtrue/wechat",288,76,overtrue,安正超,User,"Beijing,China",1575
contract,nonsalant/contract,PHP,A signable contract that lives in a single file,290,19,nonsalant,Stefan Matei,User,,290
Arrayzy,bocharsky-bw/Arrayzy,PHP,":package: The wrapper for all PHP built-in array functions and easy, object-oriented array manipulation library. In short: Arrays on steroids.",287,24,bocharsky-bw,Victor Bocharsky,User,"Kiev, Ukraine",287
composer-changelogs,pyrech/composer-changelogs,PHP,Display better Composer update summary,284,6,pyrech,Loïck Piera,User,Paris,284
symfony-demo,symfony/symfony-demo,PHP,,284,151,symfony,Symfony,Organization,The Internet,403
DunglasApiBundle,dunglas/DunglasApiBundle,PHP,"The Hypermedia REST API component of API Platform: JSON-LD and Hydra support, works with Symfony too",282,62,dunglas,Kévin Dunglas,User,"Lille, France",282
HyperDown,SegmentFault/HyperDown,PHP,一个结构清晰的,易于维护的,现代的PHP Markdown解析器,280,59,SegmentFault,SegmentFault,Organization,"Hangzhou, China",516
starter-laravel-angular,Zemke/starter-laravel-angular,PHP,Laravel and AngularJS Starter Application Boilerplate featuring Laravel 5 and AngularJS 1.3.13,276,101,Zemke,Florian Zemke,User,"Oldenburg, Germany",276
code-examples,WPTRT/code-examples,PHP,Code examples and snippet library,276,16,WPTRT,WPTRT,Organization,,276
studio,franzliedke/studio,PHP,A workbench for developing Composer packages.,270,14,franzliedke,Franz Liedke,User,Germany,270
Front-end-tutorial,AutumnsWind/Front-end-tutorial,PHP,:panda_face:最全的资源教程-前端涉及的所有知识体系,269,104,AutumnsWind,Childishness ·.·.·.·.·.·.·.·.·.·.·.·.·.·.   童心·.·.·.·.·.·.·.·.·.·.·.·.·.·. ☆      ♡♡      ♬♬♬,User,my.location = USA/China/HK };,804
php-git-hooks,bruli/php-git-hooks,PHP,Git hooks for PHP projects,267,34,bruli,bruli,User,Sabadell,267
amp-wp,Automattic/amp-wp,PHP,WordPress plugin for adding AMP support,265,22,Automattic,Automattic,Organization,Worldwide,6717
laravel-apz,jp7internet/laravel-apz,PHP,The guide to build a Laravel app from a to z.,259,41,jp7internet,JP7,Organization,"São Paulo, Brazil",259
phpspider,owner888/phpspider,PHP,《我用爬虫一天时间“偷了”知乎一百万用户,只为证明PHP是世界上最好的语言 》所使用的程序,256,177,owner888,seatle,User,中国.广东.广州.天河,256
mu,jeremeamia/mu,PHP,The 4-LOC µ (mu) PHP Microframework. Just cuz.,253,9,jeremeamia,Jeremy Lindblom,User,"Seattle, WA",253
gantry5,gantry/gantry5,PHP,:rocket: Next Generation Theme Framework,253,60,gantry,Gantry Framework,Organization,,253
json-api,neomerx/json-api,PHP,Framework agnostic JSON API (jsonapi.org) implementation,252,15,neomerx,,User,,252
rulerz,K-Phoen/rulerz,PHP,Powerful implementation of the Specification pattern in PHP,250,11,K-Phoen,Kévin Gomez,User,Lyon,250
Repositories,Bosnadev/Repositories,PHP,Laravel Repositories is a package for Laravel 5 which is used to abstract the database layer. This makes applications much easier to maintain.,247,53,Bosnadev,,Organization,,247
slackwolf,chrisgillis/slackwolf,PHP,A slack bot that moderates Werewolf games,250,20,chrisgillis,Chris Gillis,User,"San Francisco, CA",250
eloquence,jarektkaczyk/eloquence,PHP,Extensions for the Eloquent ORM,248,15,jarektkaczyk,Jarek Tkaczyk,User,"Krakow, Poland",248
phpbench,phpbench/phpbench,PHP,PHP Benchmarking framework,246,7,phpbench,PHPBench,Organization,Europe,246
business,florianv/business,PHP,DateTime calculations in business hours,246,17,florianv,Florian Voutzinos,User,"Toulouse, France",246
vat-calculator,mpociot/vat-calculator,PHP,"Handle all the hard stuff related to EU MOSS tax/vat regulations, the way it should be. Can be used with Laravel 5 / Cashier — or standalone.",243,9,mpociot,Marcel Pociot,User,Germany,798
phphub-server,NauxLiu/phphub-server,PHP,基于 Laravel 5.1 的 PHPHub Server 端,241,98,NauxLiu,刘相轩,User,Beijing China,241
shadowsocks-php,walkor/shadowsocks-php,PHP,A php port of shadowsocks,242,79,walkor,walkor,User,chengdu china ,242
zend-expressive,zendframework/zend-expressive,PHP,Start to develop PSR-7 middleware applications in PHP in a minute!,233,52,zendframework,Zend Framework,Organization,,575
nines,derekshull/nines,PHP,A web performance tool aimed to help developers find critical performance issues.,233,7,derekshull,Matt Shull,User,"Little Rock, AR",233
StrictPhp,Roave/StrictPhp,PHP,:no_entry_sign: :sparkles: :heavy_exclamation_mark: AOP-based strict type checks for PHP,229,9,Roave,"Roave, LLC",Organization,"Earth, Solar System, Orion Arm, Milky Way, Local Group, Virgo Supercluster, The Universe ",362
zend-diactoros,zendframework/zend-diactoros,PHP,PSR-7 HTTP Message implementation,229,51,zendframework,Zend Framework,Organization,,575
docker-training,nicescale/docker-training,PHP,cSphere Docker training code,228,157,nicescale,NiceScale,Organization,,228
telegram-bot-sdk,irazasyed/telegram-bot-sdk,PHP,Telegram Bot API PHP SDK. Lets you build Telegram Bots easily! Supports Laravel out of the box.,224,43,irazasyed,Syed Irfaq R.,User,Bengaluru,332
tactician,thephpleague/tactician,PHP,"A simple, flexible command bus",222,30,thephpleague,The League of Extraordinary Packages,Organization,Worldwide,693
silly,mnapoli/silly,PHP,Silly CLI micro-framework based on Symfony Console,220,11,mnapoli,Matthieu Napoli,User,"Lyon, France",220
px2svg,meyerweb/px2svg,PHP,"Converts raster images to SVG, using color-run optimization.",219,14,meyerweb,Eric A. Meyer,User,"Cleveland Heights, OH",219
gitblog,jockchou/gitblog,PHP,"markdown blog base on CodeIgniter, writing blog with markdown!基于CI的markdown博客",218,98,jockchou,zhoujing,User,深圳市,南山区,科技园,218
php-telegram-bot,akalongman/php-telegram-bot,PHP,PHP Telegram Bot based on the official Telegram Bot API,218,63,akalongman,Avtandil Kikabidze,User,"Georgia, Tbilisi",218
Sn1per,1N3/Sn1per,PHP,Automated Pentest Recon Scanner,181,79,1N3,1N3,User,"Toronto, Canada",320
laravel-permission,spatie/laravel-permission,PHP,Associate users with roles and permissions,214,22,spatie,Spatie,Organization,"Antwerp, Belgium",2155
deprecation-detector,sensiolabs-de/deprecation-detector,PHP,,212,28,sensiolabs-de,SensioLabs Deutschland,Organization,"Cologne, Germany",212
DAws,dotcppfile/DAws,PHP,Advanced Web Shell,206,70,dotcppfile,dotcppfile,User,,206
Baun,BaunCMS/Baun,PHP,"A modern, lightweight, extensible CMS for PHP",206,21,BaunCMS,,Organization,,206
searchindex,spatie/searchindex,PHP,Store and retrieve objects from Algolia or Elasticsearch,203,16,spatie,Spatie,Organization,"Antwerp, Belgium",2155
yii2-shop,samdark/yii2-shop,PHP,Example project implementing simple shop using Yii 2.0,202,121,samdark,Alexander Makarov,User,Russia,379
moeSS,wzxjohn/moeSS,PHP,moe SS Front End for https://github.com/mengskysama/shadowsocks/tree/manyuser,198,71,wzxjohn,,User,,198
player,blackfireio/player,PHP,"Blackfire Player is a powerful Web Crawling, Web Testing, and Web Scraper library for PHP. It provides a nice API to crawl HTTP services, assert responses, and extract data from HTML, XML, and JSON responses.",198,10,blackfireio,Blackfire,Organization,,198
laravel-sms,toplan/laravel-sms,PHP,sms send package for laravel,197,48,toplan,lan tian peng,User,"Chengdu, China",197
seotools,artesaos/seotools,PHP,SEO Tools for Laravel,194,37,artesaos,Artesãos,Organization,,380
jigsaw,adamwathan/jigsaw,PHP,Simple static sites with Laravel's Blade,193,11,adamwathan,Adam Wathan,User,"Ontario, Canada",193
PhpGenerics,ircmaxell/PhpGenerics,PHP,Here be dragons,193,7,ircmaxell,Anthony Ferrara,User,"New York, NY",446
LaravelInstaller,RachidLaasri/LaravelInstaller,PHP,A web installer for Laravel 5.1,189,24,RachidLaasri,Rachid Laasri,User,"Morocco, Rabat",189
teamwork,mpociot/teamwork,PHP,User to Team associations with invitation system for the Laravel 5 Framework,190,14,mpociot,Marcel Pociot,User,Germany,798
flip,zeroedin-bill/flip,PHP,(╯°□°)╯︵┻━┻,189,7,zeroedin-bill,Bill Schaller,User,"Maryland, USA",189
defender,artesaos/defender,PHP,Roles & Permissions for Laravel 5,186,49,artesaos,Artesãos,Organization,,380
SC-API,mgp25/SC-API,PHP,PHP library of Snapchat’s private API,183,68,mgp25,mgp25,User,Spain,183
phar-updater,padraic/phar-updater,PHP,A thing to make PHAR self-updates easy and secure,183,9,padraic,Pádraic Brady,User,Ireland,183
halite,paragonie/halite,PHP,High-level cryptography interface powered by libsodium,184,9,paragonie,Paragon Initiative Enterprises,Organization,"Orlando, FL",1736
pipeline,thephpleague/pipeline,PHP,League\Pipeline,179,15,thephpleague,The League of Extraordinary Packages,Organization,Worldwide,693
random_compat,paragonie/random_compat,PHP,PHP 5.x support for random_bytes() and random_int(),179,19,paragonie,Paragon Initiative Enterprises,Organization,"Orlando, FL",1736
laravel-url-signer,spatie/laravel-url-signer,PHP,Create and validate signed URLs with a limited lifetime,176,14,spatie,Spatie,Organization,"Antwerp, Belgium",2155
sitemap,samdark/sitemap,PHP,Sitemap and sitemap index builder,177,18,samdark,Alexander Makarov,User,Russia,379
php7mar,Alexia/php7mar,PHP,PHP 7 Migration Assistant Report (MAR),176,8,Alexia,Alexia E. Smith,User,,176
movim,edhelas/movim,PHP,Movim - Kickass Social Network,177,27,edhelas,Jaussoin Timothée,User,Utrecht,177
orm,laravel-doctrine/orm,PHP,A drop-in Doctrine ORM 2 implementation for Laravel 5+ and Lumen,175,24,laravel-doctrine,Laravel Doctrine,Organization,,175
laravel-http-pushstream-broadcaster,cmosguy/laravel-http-pushstream-broadcaster,PHP,Laravel Broadcaster for the HTTP Pushstream Nginx Module,172,14,cmosguy,Adam Klein,User,"Bellevue, WA",172
wordpress-fields-api,sc0ttkclark/wordpress-fields-api,PHP,Fields API proposal for WordPress Core (still in progress),170,20,sc0ttkclark,Scott Kingsley Clark,User,"Dallas, TX, USA",170
MDLWP,braginteractive/MDLWP,PHP,Material Design Lite WordPress Theme,168,40,braginteractive,Brad Williams,User,Texas,168
construct,jonathantorres/construct,PHP,PHP project/micro-package generator.,169,9,jonathantorres,Jonathan Torres,User,"Miami, FL",169
laravel-responsecache,spatie/laravel-responsecache,PHP,Speed up a Laravel app by caching the entire response,169,7,spatie,Spatie,Organization,"Antwerp, Belgium",2155
laravel-newsletter,spatie/laravel-newsletter,PHP,Manage newsletters in Laravel 5,168,12,spatie,Spatie,Organization,"Antwerp, Belgium",2155
swivel,zumba/swivel,PHP,"Strategy driven, segmented feature toggles",165,2,zumba,Zumba,Organization,"Hallandale, FL",165
morse,drewm/morse,PHP,A feature detection library for PHP code that needs to run in multiple different environments,163,2,drewm,Drew McLellan,User,"Bristol, UK",163
reauthenticate,mpociot/reauthenticate,PHP,Reauthenticate users by letting them re-enter their passwords for specific parts of your app.,162,7,mpociot,Marcel Pociot,User,Germany,798
container,thephpleague/container,PHP,Small but powerful dependency injection container,162,18,thephpleague,The League of Extraordinary Packages,Organization,Worldwide,693
supee-6788-toolbox,rhoerr/supee-6788-toolbox,PHP,Analysis/fix tool for extension and customization conflicts resulting from the Magento SUPEE-6788 patch.,161,44,rhoerr,Ryan H.,User,"Lancaster, PA USA",161
void,josephernest/void,PHP,Void is a blogging platform.,159,23,josephernest,,User,Orleans (France),159
bamboo,elcodi/bamboo,PHP,"Meet Bamboo, an e-commerce project built on top of Elcodi and Symfony. Give us a star to support our project :)",156,38,elcodi,Elcodi,Organization,Internet - Universe,156
psr7-middlewares,oscarotero/psr7-middlewares,PHP,Collection of PSR-7 middlewares,156,9,oscarotero,Oscar Otero,User,Galicia,156
shortuuid,pascaldevink/shortuuid,PHP,"PHP 5.6+ library that generates concise, unambiguous, URL-safe UUIDs",156,7,pascaldevink,Pascal de Vink,User,Amsterdam,156
expression,webmozart/expression,PHP,Implementation of the Specification pattern and logical expressions for PHP.,156,9,webmozart,Bernhard Schussek,User,"Vienna, Austria",294
phpsa,ovr/phpsa,PHP,Static Analysis for PHP :bowtie::neckbeard:,156,4,ovr,Dmitry Patsura,User,"DC, Moscow",156
LogViewer,ARCANEDEV/LogViewer,PHP,:page_with_curl: Provides a log viewer for Laravel 5,153,19,ARCANEDEV,ARCANEDEV,Organization,Morocco,153
Tuli,ircmaxell/Tuli,PHP,A static analysis engine,153,3,ircmaxell,Anthony Ferrara,User,"New York, NY",446
violin,alexgarrett/violin,PHP,"An easy to use, highly customisable PHP validator.",153,41,alexgarrett,Alex Garrett,User,London,153
concurrent,icicleio/concurrent,PHP,Concurrency component for Icicle,152,4,icicleio,icicle.io,Organization,,152
ApiManager,gongwalker/ApiManager,PHP,接口文档管理工具,152,92,gongwalker,wen.gong,User,,152
Tech_Notes,startupjing/Tech_Notes,PHP,Technical Notes,151,612,startupjing,Jing Lu,User,"St.Louis,MO",151
cms,sphido/cms,PHP,"A rocket fast, lightweight, flat file CMS for PHP",150,12,sphido,Sphido,Organization,,150
laravel-caffeine,GeneaLabs/laravel-caffeine,PHP,Keeping Your Laravel Forms Awake,149,12,GeneaLabs,"GeneaLabs, LLC",Organization,"Los Angeles, CA, USA",149
slim3-skeleton,akrabat/slim3-skeleton,PHP,Simple Slim Framework 3 skeleton with Twig & Monolog,148,30,akrabat,Rob Allen,User,"Worcester, UK",148
PSR7Session,Ocramius/PSR7Session,PHP,:mailbox_with_mail: storage-less PSR-7 session support,146,12,Ocramius,Marco Pivetta,User,Frankfurt am Main,146
notifyme,notifymehq/notifyme,PHP,[MAIN] Provides a common interface for notification services.,145,7,notifymehq,NotifyMe,Organization,,145
MessageBus,SimpleBus/MessageBus,PHP,Generic classes and interfaces for messages and message buses. Full documentation can be found here:,145,23,SimpleBus,,Organization,,145
graphql-php,webonyx/graphql-php,PHP,A PHP port of GraphQL reference implementation,145,17,webonyx,,Organization,,145
html,StydeNet/html,PHP,Laravel package designed to generate common HTML components,143,24,StydeNet,Styde.net,Organization,Internet,143
cronlingo,ajbdev/cronlingo,PHP,Express crontabs as human friendly phrases,142,7,ajbdev,,User,,142
crud-generator,appzcoder/crud-generator,PHP,Laravel 5 CRUD Generator,141,56,appzcoder,AppzCoder,Organization,"Dhaka, Bangladesh",141
Piwigo,Piwigo/Piwigo,PHP,Piwigo is a full featured open source photo gallery for the web. Star us on Github! More than 200 plugins and themes available. Translated in 50+ languages all over the world. Join us and contribute!,139,25,Piwigo,Piwigo,Organization,Worldwide,139
php-functional,widmogrod/php-functional,PHP,"Functors, Applicative Functors and Monads in PHP",141,5,widmogrod,Gabriel Habryn,User,"Kraków, Poland",141
wechat,thenbsp/wechat,PHP,微信第三方 SDK,包含网页授权、微信支付等。,139,61,thenbsp,thenbsp,User,China,139
immutable.php,jkoudys/immutable.php,PHP,"Immutable collections, with filter, map, join, sort, slice, and other methods. Well-suited for functional programming and memory-intensive applications. Runs especially fast in PHP7.",141,6,jkoudys,Joshua Koudys,User,"Toronto, Ontario",141
BaconPdf,Bacon/BaconPdf,PHP,BaconPdf is a powerful PDF library.,140,9,Bacon,Bacon,Organization,,140
laravel,backup-manager/laravel,PHP,Driver to seamlessly integrate the Backup Manager into Laravel 4 and 5 applications.,138,39,backup-manager,Backup Manager,Organization,,138
FastCGIDaemon,PHPFastCGI/FastCGIDaemon,PHP,A FastCGI daemon written in PHP.,137,2,PHPFastCGI,,Organization,,137
console,webmozart/console,PHP,"A usable, beautiful and easily testable console toolkit written in PHP.",138,9,webmozart,Bernhard Schussek,User,"Vienna, Austria",294
padawan.php,mkusher/padawan.php,PHP,php intelligent code completion http server,133,8,mkusher,Aleh Kashnikau,User,Minsk,133
ElementAPI,pixelandtonic/ElementAPI,PHP,Create a JSON API for your elements in Craft.,133,8,pixelandtonic,Pixel & Tonic,Organization,/third_party/,133
BetterReflection,Roave/BetterReflection,PHP,PHP's reflection API but without having to load the class,133,7,Roave,"Roave, LLC",Organization,"Earth, Solar System, Orion Arm, Milky Way, Local Group, Virgo Supercluster, The Universe ",362
bootstrap-ui,FriendsOfCake/bootstrap-ui,PHP,Transparently use Twitter Bootstrap 3 with CakePHP 3,133,41,FriendsOfCake,Friends Of Cake,Organization,The global internet - #FriendsOfCake @ Freenode,133
laravel-shop,amsgames/laravel-shop,PHP,Laravel shop package,131,30,amsgames,,User,,131
Material-Design-Avatars,lincanbin/Material-Design-Avatars,PHP,Create material deisgn avatars for users just like Google Messager. It may not be unique but looks better than Identicon or Gravatar. ,130,31,lincanbin,Canbin Lin,User,"Chaozhou, Guangdong, China",256
Relay.Relay,relayphp/Relay.Relay,PHP,A PSR-7 middleware dispatcher.,131,5,relayphp,Relay,Organization,,131
route,thephpleague/route,PHP,Fast router and dispatcher built on top of FastRoute,130,28,thephpleague,The League of Extraordinary Packages,Organization,Worldwide,693
onepager,themexpert/onepager,PHP,Onepage Theme/Website Builder for WordPress and Joomla,128,33,themexpert,ThemeXpert,Organization,"Dhaka, Bangladesh",128
laravel-dot-env-gen,mathiasgrimm/laravel-dot-env-gen,PHP,generates a .env.gen file based on the existing project source code. Analises for not used .env variables and variables used that are not defined on the .env file,127,8,mathiasgrimm,Mathias Grimm,User,"Dublin, Ireland",127
antVel,ant-vel/antVel,PHP,An Laravel eCommerce - Official Repository,127,18,ant-vel,Antvel eCommerce - Official Repository http://antvel.com,Organization,"Oklahoma City, OK",127
roots-example-project.com,roots/roots-example-project.com,PHP,"Example project that uses Bedrock, Trellis, and Sage",127,53,roots,Roots,Organization,,127
blender,spatie-custom/blender,PHP,The Laravel template used for (nearly) all our projects,122,8,spatie-custom,Spatie custom repositories,Organization,"Antwerp, Belgium",122
phanbook,phanbook/phanbook,PHP,"A Q&A, CMS and Discussions PHP platform",123,29,phanbook,Phanbook,Organization,Vietnamese,123
wxpay-php,biangbiang/wxpay-php,PHP,php项目基于微信支付JS SDK和JS API的接入开发,123,35,biangbiang,Uncle Biang,User,North,123
Crawler-Detect,JayBizzle/Crawler-Detect,PHP,CrawlerDetect is a PHP class for detecting bots/crawlers/spiders via the user agent,120,15,JayBizzle,Mark Beech,User,"York, UK",120
doorman,asyncphp/doorman,PHP,Child process management,121,6,asyncphp,Async PHP,Organization,,121
laravel-friendships,hootlex/laravel-friendships,PHP,This package gives Eloqent models the ability to manage their friendships.,121,3,hootlex,Alex,User,Greece,121
lescript,analogic/lescript,PHP,Simplified PHP ACME client,120,6,analogic,,User,,120
CMB2-Snippet-Library,WebDevStudios/CMB2-Snippet-Library,PHP,CMB2 Code Snippet Library,121,47,WebDevStudios,WebDevStudios,Organization,25% of the web,121
incoming,Rican7/incoming,PHP,"Transform loose and complex input into consistent, strongly-typed data structures",120,3,Rican7,Trevor N. Suarez,User,"Boston, MA",120
pusher,vinkla/pusher,PHP,A Pusher bridge for Laravel,120,11,vinkla,Vincent Klaiber,User,Sweden,828
isitup-for-slack,mccreath/isitup-for-slack,PHP,Custom slash command to use isitup.org to check if a site is up from within Slack,119,23,mccreath,David McCreath,User,San Francisco,119
AliyunOSS,johnlui/AliyunOSS,PHP,阿里云 OSS 官方 SDK 的 Composer 封装,支持任何 PHP 项目,包括 Laravel、Symfony、TinyLara 等等。,119,22,johnlui,JohnLui,User,"Beijing, China",4176
polyfill,symfony/polyfill,PHP,PHP polyfills,119,11,symfony,Symfony,Organization,The Internet,403
Transphporm,Level-2/Transphporm,PHP,Transformation Style Sheets - Revolutionising PHP templating,118,9,Level-2,Level 2,Organization,,118
fiddler,beberlei/fiddler,PHP,Experimental embedded Composer for multiple packages in a single repository,119,9,beberlei,Benjamin Eberlei,User,Germany,119
sweet-alert,uxweb/sweet-alert,PHP,A simple PHP package to show SweetAlerts with the Laravel Framework,117,13,uxweb,Uziel Bueno,User,,117
phpstorm-stubs,JetBrains/phpstorm-stubs,PHP,PHP runtime & extensions header files for PhpStorm,116,66,JetBrains,JetBrains,Organization,"St.Petersburg, Munich, Moscow, Prague, Boston",116
SQLMAP-Web-GUI,Hood3dRob1n/SQLMAP-Web-GUI,PHP,PHP Frontend to work with the SQLMAP JSON API Server (sqlmapapi.py) to allow for a Web GUI to drive near full functionality of SQLMAP!,116,53,Hood3dRob1n,,User,,116
openflights,jpatokal/openflights,PHP,"Website for storing flight information, rendering paths on a zoomable world map and calculating statistics, with plenty of free airline, airport and route data.",115,46,jpatokal,Jani Patokallio,User,,115
ownnote,Fmstrat/ownnote,PHP,Notes app for ownCloud,115,15,Fmstrat,,User,,115
osu-web,ppy/osu-web,PHP,the future face of osu!,114,26,ppy,ppy,Organization,osu!,114
composer-shared-package-plugin,Letudiant/composer-shared-package-plugin,PHP,:package: Composer plugin to share packages between projects with symlinks,114,4,Letudiant,L'Etudiant,Organization,Paris,114
codestar-framework,Codestar/codestar-framework,PHP,A Lightweight and easy-to-use WordPress Options Framework,113,55,Codestar,Codestar,User,,113
zend-stratigility,zendframework/zend-stratigility,PHP,Middleware for PHP built on top of PSR-7,113,20,zendframework,Zend Framework,Organization,,575
Validator,particle-php/Validator,PHP,Particle\Validator is a validation library with an extremely clean API which makes validation fun!,114,15,particle-php,Particle,Organization,,114
Symfony-Upgrade-Fixer,umpirsky/Symfony-Upgrade-Fixer,PHP,Analyzes your Symfony project and tries to make it compatible with the new version of Symfony framework.,114,5,umpirsky,Saša Stamenković,User,"Niš, Serbia",114
ImagicalMine,ImagicalCorp/ImagicalMine,PHP,ImagicalMine. The server software for Minecraft : Pocket Edition that really is imagical.,110,73,ImagicalCorp,Imagical Corporation,Organization,"Planet Earth, Earth-Moon System, Solar System, Milky Way Galaxy, Local Group, Virgo Supercluster, Observable Universe.",110
laravel-jsvalidation,proengsoft/laravel-jsvalidation,PHP,Laravel 5 Javascript Validation,111,18,proengsoft,Proengsoft,Organization,Barcelona,111
tango,kwight/tango,PHP,A React-powered WordPress theme prototype.,109,10,kwight,Kirk Wight,User,"Vancouver, BC, Canadaa",109
l5scaffold,laralib/l5scaffold,PHP,Scaffold generator for Laravel 5 with bootstrap 3,109,49,laralib,,Organization,,109
annotations,LaravelCollective/annotations,PHP,Route and Event Annotations for the Laravel Framework,108,18,LaravelCollective,The Laravel Collective,Organization,,500
laravel-gamp,irazasyed/laravel-gamp,PHP,Laravel 4/5 Google Analytics Measurement Protocol Package,108,6,irazasyed,Syed Irfaq R.,User,Bengaluru,332
mpdf,mpdf/mpdf,PHP,"mPDF is a PHP class which generates PDF files from UTF-8 encoded HTML. It is based on FPDF and HTML2FPDF, with a number of enhancements.",108,57,mpdf,,Organization,,108
laravelshoppingcart,darryldecode/laravelshoppingcart,PHP,Shopping Cart Implementation for Laravel Framework,108,36,darryldecode,darryl fernandez,User,"Davao City, Philippines",108
laravel-paginateroute,spatie/laravel-paginateroute,PHP,Laravel router extension to easily use Laravel's paginator without the query string,108,10,spatie,Spatie,Organization,"Antwerp, Belgium",2155
SocialCrumbs,ademilter/SocialCrumbs,PHP,:droplet: SocialCrumbs is a social activity feed theme for WordPress that works with ifttt recipes.,107,10,ademilter,Adem ilter,User,İstanbul,107
yii2-flysystem,creocoder/yii2-flysystem,PHP,The Flysystem integration for the Yii framework.,107,18,creocoder,Alexander Kochetov,User,Russia,107
magescan,steverobbins/magescan,PHP,Scan a Magento site for information,105,26,steverobbins,Steve Robbins,User,"Irvine, California",105
scafold,bestmomo/scafold,PHP,To add scafold to Laravel 5.1,105,35,bestmomo,,User,,105
KnpUGuard,knpuniversity/KnpUGuard,PHP,Simple and lovely Symfony authentication,104,6,knpuniversity,KnpUniversity: PHP Screencasts,Organization,,104
crudkit,skyronic/crudkit,PHP,"Toolkit to quickly build powerful mobile-friendly CRUD (create/read/update/delete) interfaces for PHP, Laravel, and Codeigniter apps. Works with MySQL and other databases.",104,10,skyronic,Anirudh Sanjeev,User,"Bangalore, India",104
httplug,php-http/httplug,PHP,"HTTPlug, the HTTP client abstraction for PHP",106,5,php-http,The PHP HTTP group,Organization,,106
laravel5-angular-jwt,ttkalec/laravel5-angular-jwt,PHP,Simple Laravel 5/Angular app that shows how to use the most basic JWT authentication,104,37,ttkalec,Tino Tkalec,User,Zagreb,104
vault,rappasoft/vault,PHP,Roles & Permissions for the Laravel 5 Framework,104,9,rappasoft,Anthony Rappa,User,New York,893
zhihuSpider,HectorHu/zhihuSpider,PHP,A zhihu Spider.Just for fun.,102,49,HectorHu,Hector Hu,User,,102
hubzilla,redmatrix/hubzilla,PHP,build community websites that can interact with one another,100,26,redmatrix,redmatrix,User,,100
rememberable,dwightwatson/rememberable,PHP,Query caching for Laravel 5,102,11,dwightwatson,Dwight Watson,User,"Sydney, Australia",102
8-cms,volter9/8-cms,PHP,:8ball: Behold! The most fast and lightweight PHP CMS you've ever seen in 8 lines of code,103,11,volter9,,User,,103
php-crud-api,mevdschee/php-crud-api,PHP,Single file PHP script that adds a REST API to a SQL database,101,35,mevdschee,Maurits van der Schee,User,Amsterdam,101
Alipay,Latrell/Alipay,PHP,支付宝SDK在Laravel5的封装。,100,22,Latrell,Latrell Chan,User,,100
captainhook,mpociot/captainhook,PHP,"Add Webhooks to your Laravel app, arrr",102,4,mpociot,Marcel Pociot,User,Germany,798
inventory,stevebauman/inventory,PHP,Inventory Management for Laravel 4 / 5,102,22,stevebauman,Steve Bauman,User,"ON, Canada",102
Behat-Laravel-Extension,laracasts/Behat-Laravel-Extension,PHP,Laravel extension for Behat functional testing.,102,23,laracasts,Laracasts,User,"Chattanooga, TN",1211
mydrinks,norzechowicz/mydrinks,PHP,4 layer architecture example in #php by @norzechowicz,101,10,norzechowicz,Norbert Orzechowicz,User,Kraków,101
reanimate,mpociot/reanimate,PHP,Easily add an 'undo' option to your Laravel application,101,5,mpociot,Marcel Pociot,User,Germany,798
timber-starter-theme,Upstatement/timber-starter-theme,PHP,The '_s' for Timber: a dead-simple theme that you can build from,100,30,Upstatement,Upstatement,Organization,"Boston, MA",100
Stauros,ircmaxell/Stauros,PHP,A fast XSS sanitization library for PHP,100,5,ircmaxell,Anthony Ferrara,User,"New York, NY",446
phpqa,jmolivas/phpqa,PHP,PHPQA all-in-one Analyzer CLI tool,100,14,jmolivas,Jesus Manuel Olivas,User,"El Centro CA, USA / Mexicali BC, Mexico ",100
facebook-anonymous-publisher,kxgen/facebook-anonymous-publisher,PHP,A real-time anonymous publishing application for Facebook pages.,100,12,kxgen,KANGXI,User,127.0.0.1,100
material-design-lite,google/material-design-lite,HTML,Material Design Lite Components in HTML/CSS/JS,17168,2524,google,Google,Organization,,70104
Hack,chrissimpkins/Hack,HTML,A typeface designed for source code,7204,214,chrissimpkins,Chris Simpkins,User,,10012
fonts,google/fonts,HTML,Font files available from Google Fonts,5512,640,google,Google,Organization,,70104
UpUp,TalAter/UpUp,HTML,:airplane: Kickstarting the Offline-First Revolution,3340,137,TalAter,Tal Ater,User,,3340
CSSgram,una/CSSgram,HTML,CSS library for Instagram filters,3185,180,una,Una Kravets,User,"Austin, TX",3308
gson,google/gson,HTML,A Java serialization library that can convert Java Objects into JSON and back.,2697,638,google,Google,Organization,,70104
streama,dularion/streama,HTML,"It's like Netflix, but self-hosted! http://dularion.github.io/streama/",2557,141,dularion,Antonia Hulha,User,Sweden,2557
styleguide,google/styleguide,HTML,Style guides for Google-originated open-source projects,2543,644,google,Google,Organization,,70104
github-corners,tholman/github-corners,HTML,'Fork me on GitHub' ribbons are 7 years old. This is a cleaner alternative.,2376,67,tholman,Tim Holman,User,"NYC, for the most part.",6993
editor,codeinthedark/editor,HTML,The official Code in the Dark editor,2127,485,codeinthedark,Code in the Dark,Organization,Tictail HQ,2382
webrtc-ips,diafygi/webrtc-ips,HTML,Demo: https://diafygi.github.io/webrtc-ips/,1884,254,diafygi,Daniel Roesler,User,"Oakland, CA",5657
samurai-native,hackers-painters/samurai-native,HTML,Bring web standards to native platform,1850,277,hackers-painters,Hackers and Painters,Organization,,1850
polymer-starter-kit,PolymerElements/polymer-starter-kit,HTML,A starting point for Polymer 1.0 apps,1820,455,PolymerElements,,Organization,,2025
react-native-lesson,vczero/react-native-lesson,HTML,React-Native入门指南,1264,271,vczero,vczero,User,"Shanghai,China",1457
es6-features,rse/es6-features,HTML,ECMAScript 6: Feature Overview & Comparison,1253,140,rse,Ralf S. Engelschall,User,Germany,1253
material,Daemonite/material,HTML,HTML5 UI design based on Google Material,1228,386,Daemonite,Daemon Internet Consultants,Organization,"Sydney, Australia",1228
flat-color-icons,icons8/flat-color-icons,HTML,Free Flat Color Icons,1222,149,icons8,Icons8,Organization,,1563
illacceptanything,illacceptanything/illacceptanything,HTML,The project where literally anything* goes. See also https://github.com/illacceptanything/illacceptanything.github.io,1165,551,illacceptanything,I'll Accept Anything,Organization,,1165
LayerVisualizer,romannurik/LayerVisualizer,HTML,A simple web-based 3D layer visualizer (useful for visualizing material UIs and other things involving depth/shadows),1141,65,romannurik,Roman Nurik,User,"New York, NY",1668
awesome-angular2,AngularClass/awesome-angular2,HTML,A curated list of awesome Angular 2 resources by @AngularClass,810,70,AngularClass,AngularClass,Organization,"San Francisco, CA",2510
ResponsifyJS,wentin/ResponsifyJS,HTML,"A jquery plugin that makes images truly responsive, without sacrificing anyone's face. Give it more stars!",784,40,wentin,Wenting Zhang,User,New York City,927
qark,linkedin/qark,HTML,Tool to look for several security related Android application vulnerabilities,787,132,linkedin,LinkedIn,Organization,"Mountain View, CA, USA",2299
gentelella,kimlabs/gentelella,HTML,admin template,781,364,kimlabs,,Organization,,781
github-roam,phodal/github-roam,HTML,GitHub 漫游指南- a Chinese ebook on how to build a good build on Github. Explore the users' behavior. Find some thing interest.,762,142,phodal,Fengda Huang,User,Xiamen China,2292
gridly,IonicaBizau/gridly,HTML,:zap: The minimal (~100-170 bytes) grid system for modern browsers.,729,46,IonicaBizau,Ionică Bizău,User,Romania,4581
platform,unisonweb/platform,HTML,"Next generation programming platform, currently in development",724,19,unisonweb,Unison,Organization,,724
IntelliJ-IDEA-Tutorial,judasn/IntelliJ-IDEA-Tutorial,HTML,IntelliJ IDEA 简体中文专题教程,657,132,judasn,Judas.n,User,,657
awesome-resources,lyfeyaj/awesome-resources,HTML,"Awesome resources for coding and learning: open source projects, websites, books e.g.",631,210,lyfeyaj,lyfeyaj,User,......,631
walle-web,meolu/walle-web,HTML,A Web Deployment Tool (web代码部署工具),631,253,meolu,huamanshu,User,,773
melody-jsnes,olahol/melody-jsnes,HTML,:tv: Multiplayer NES through the magic of WebSockets and Go.,629,33,olahol,Ola Holmström,User,"Göteborg, Sweden",999
Android-Ptr-Comparison,desmond1121/Android-Ptr-Comparison,HTML,Performance comparison of android 'pull to refresh' repos in github.,601,82,desmond1121,Desmond Yao,User,"Shanghai, China",885
marketch,tudou527/marketch,HTML,Marketch is a Sketch 3 plug-in for automatically generating html page that can measure and get CSS styles on it.,570,57,tudou527,tudou527,User,HZ,570
gridlex,devlint/gridlex,HTML,Just a CSS Flexbox Grid System,559,36,devlint,Laurent G.,User,Lyon,559
cs231n.github.io,cs231n/cs231n.github.io,HTML,Public facing notes page,549,258,cs231n,,Organization,,549
paper-now,PeerJ/paper-now,HTML,"Create, edit and display a journal article, entirely in GitHub",530,68,PeerJ,PeerJ,Organization,London and San Francisco,530
dom-animator,tholman/dom-animator,HTML,"A nifty javascript library to run animations, hidden in comment nodes, within the dom.",528,45,tholman,Tim Holman,User,"NYC, for the most part.",6993
sharelock,auth0/sharelock,HTML,Securely share data,521,34,auth0,Auth0,Organization,Seattle,1074
Rich-Hickey-fanclub,tallesl/Rich-Hickey-fanclub,HTML,'every time I watch one of his talks I feel like someone has gone in and organized my brain',511,15,tallesl,Talles L,User,"Belo Horizonte, Brazil",511
conferences,AndroidStudyGroup/conferences,HTML,A community-curated list of conferences around the world for Android developers.,505,58,AndroidStudyGroup,Android Study Group,Organization,United States,505
cayman-theme,jasonlong/cayman-theme,HTML,A responsive theme for GitHub Pages,473,46,jasonlong,Jason Long,User,"Columbus, Ohio",473
sb-admin-angular,start-angular/sb-admin-angular,HTML,Starter template / theme for AngularJS Dashboard Apps,476,257,start-angular,,Organization,,476
FEND_Note,li-xinyang/FEND_Note,HTML,Front-end Development Notebook From Start to Finish! (Simplified Chinese),453,169,li-xinyang,Li Xinyang,User,Singapore,453
readremaining.js,Aerolab/readremaining.js,HTML,Tell your readers how long they'll need to get through all of your gibberish,449,36,Aerolab,Aerolab,Organization,"Buenos Aires, Argentina",909
ng2do,davideast/ng2do,HTML,,442,115,davideast,David East,User,"San Francisco, CA",442
Front-End-Style-Guide,Aaaaaashu/Front-End-Style-Guide,HTML,一份全面的前端开发规范手册,437,82,Aaaaaashu,阿树,User,"Hangzhou, China",437
skill-map,TeamStuQ/skill-map,HTML,StuQ 技能图谱,412,99,TeamStuQ,,Organization,,412
paradeiser,lucidlemon/paradeiser,HTML,small and sleek mobile navigation,387,33,lucidlemon,Daniel Winter,User,Austria,387
writ,programble/writ,HTML,"Opinionated, classless styles for semantic HTML",399,12,programble,Curtis McEnroe,User,"Montreal, Canada",399
HTTPLeaks,cure53/HTTPLeaks,HTML,"HTTPLeaks - All possible ways, a website can leak HTTP requests",394,31,cure53,Cure53,User,Berlin,394
ProjectOxford-ClientSDK,Microsoft/ProjectOxford-ClientSDK,HTML,The official home for the Microsoft Project Oxford client SDK and samples,383,129,Microsoft,Microsoft,Organization,"Redmond, WA",23867
lua53doc,cloudwu/lua53doc,HTML,The Chinese Translation of Lua 5.3 document,382,138,cloudwu,云风,User,China,1250
keyczar,google/keyczar,HTML,Easy-to-use crypto toolkit,377,46,google,Google,Organization,,70104
jquery-drawsvg,lcdsantos/jquery-drawsvg,HTML,"Lightweight, simple to use jQuery plugin to animate SVG paths",365,59,lcdsantos,Leonardo Santos,User,Porto Alegre,365
webcrypto-examples,diafygi/webcrypto-examples,HTML,Web Cryptography API Examples Demo: https://diafygi.github.io/webcrypto-examples/,360,34,diafygi,Daniel Roesler,User,"Oakland, CA",5657
ImageTiltEffect,codrops/ImageTiltEffect,HTML,A subtle tilt effect for images. The idea is to move and rotate semi-transparent copies with the same background image in order to create a subtle motion or depth effect.,359,62,codrops,Codrops,Organization,,3303
zhihu-py3,7sDream/zhihu-py3,HTML,"Zhihu UNOFFICIAL API library in python3, with help of bs4, lxml, requests and html2text.",353,136,7sDream,7sDream,User,"TianJin, China",353
15minGit,Mark24Code/15minGit,HTML,15分钟学会Git,358,53,Mark24Code,_Mark24_,User,China,358
konmik.github.io,konmik/konmik.github.io,HTML,Android development blog,347,26,konmik,Konstantin Mikheev,User,Russia,519
tabbie,jariz/tabbie,HTML,"A material, customizable, and hackable new tab extension",343,57,jariz,Jari Zwarts,User,"Amsterdam, The Netherlands",4217
Sming,SmingHub/Sming,HTML,Sming - Open Source framework for high efficiency native ESP8266 development,332,138,SmingHub,,Organization,,332
quick-select,eggboxio/quick-select,HTML,A jQuery plugin for quick selection of common options in select boxes. Selectual.,338,26,eggboxio,Will Stone,User,,338
tutorials,addfor/tutorials,HTML,,337,96,addfor,,Organization,,337
ai2html,newsdev/ai2html,HTML,A script for Adobe Illustrator that converts your Illustrator artwork into an html page.,333,28,newsdev,NYT Newsroom Developers,Organization,"New York, NY",333
shade,jxnblk/shade,HTML,Gradient explorer,332,36,jxnblk,Brent Jackson,User,New York City,1071
colorable,jxnblk/colorable,HTML,Color combination contrast tester,320,24,jxnblk,Brent Jackson,User,New York City,1071
snapdrop,capira12/snapdrop,HTML,A HTML5 clone of Apple's AirDrop,307,27,capira12,RobinLinus,User,,307
highlighter.js,720kb/highlighter.js,HTML,Easily navigate the DOM and highlight the elements - http://720kb.github.io/highlighter.js/,314,16,720kb,720kb,Organization,,468
Honoka,windyakin/Honoka,HTML,Honoka is one of the original Bootstrap theme.,311,27,windyakin,Takuto Kanzaki,User,,311
MediumLightbox,davidecalignano/MediumLightbox,HTML,"Nice and elegant way to add zooming functionality for images, inspired by medium.com",305,26,davidecalignano,Davide Calignano,User,Berlin,305
DataScienceSpCourseNotes,sux13/DataScienceSpCourseNotes,HTML,Compiled Notes for all 9 courses in the Coursera Data Science Specialization,300,1703,sux13,Xing Su,User,United States,300
Championify,dustinblackman/Championify,HTML,Import recent item sets from Champion.gg or Lolflavor in to League of Legends to use within game! No hassle.,294,45,dustinblackman,Dustin Blackman,User,"Montreal, QC, Canada",294
offline-wikipedia,jakearchibald/offline-wikipedia,HTML,Demo of how something like Wikipedia could be offline-first,288,15,jakearchibald,Jake Archibald,User,,457
i,e-government-ua/i,HTML,iGov.org.ua - Основной репозиторий,285,103,e-government-ua,e-government for Ukraine,Organization,Ukraine,285
Email-Framework,g13nn/Email-Framework,HTML,Responsive HTML Email Framework,274,42,g13nn,Glenn Smith,User,"Surrey, United Kingdom",274
akka-http-microservice,theiterators/akka-http-microservice,HTML,Example of (micro)service written in Scala & akka-http,270,59,theiterators,Iterators,Organization,"Warsaw, Poland",270
TheJavaScriptEncyclopedia,douglascrockford/TheJavaScriptEncyclopedia,HTML,The JavaScript Encyclopedia,262,17,douglascrockford,Douglas Crockford,User,,262
gaohaoyang.github.io,Gaohaoyang/gaohaoyang.github.io,HTML,blog,259,72,Gaohaoyang,浩阳,User,Xi'an China,259
angular-dragula,bevacqua/angular-dragula,HTML,:ok_hand: Drag and drop so simple it hurts,252,27,bevacqua,Nicolás Bevacqua,User,https://twitter.com/nzgb,20409
react-flux-concepts,FormidableLabs/react-flux-concepts,HTML,Step by step building the recipe app in react & flux.,251,135,FormidableLabs,Formidable,Organization,"Seattle, WA",5716
conic-gradient,LeaVerou/conic-gradient,HTML,Polyfill for conic-gradient() and repeating-conic-gradient(),249,29,LeaVerou,Lea Verou,User,"Cambridge, MA",6767
AnimatedGridLayout,codrops/AnimatedGridLayout,HTML,"A responsive, magazine-like website layout with a grid item animation effect when opening the content",248,67,codrops,Codrops,Organization,,3303
codelf,unbug/codelf,HTML,"Search over projects from Github, Bitbucket, Google Code, Codeplex, Sourceforge, Fedora Project to find real-world usage variable names",235,20,unbug,Unbug Lee,User,,581
rubyomr-preview,rubyomr-preview/rubyomr-preview,HTML,Ruby+OMR Technology Preview,244,13,rubyomr-preview,,Organization,,244
Python-Pedia,Parbhat/Python-Pedia,HTML,One Stop for Python Programming Resources. It's all about Python.,244,62,Parbhat,Parbhat Puri,User,"Kurukshetra, India",244
sassc-rails,sass/sassc-rails,HTML,Integrate SassC-Ruby with Rails!,237,17,sass,Sass,Organization,,237
light-bootstrap-dashboard,timcreative/light-bootstrap-dashboard,HTML,Light Bootstrap Dashboard is an admin dashboard template designed to be beautiful and simple. ,232,36,timcreative,Creative Tim,User,Bucharest,232
four,allotrop3/four,HTML,Four: WebGL made easier -,228,5,allotrop3,Jason Petersen,User,London,228
readability,mozilla/readability,HTML,A standalone version of the readability lib,226,45,mozilla,Mozilla,Organization,"Mountain View, California",1905
tiny-twitch,omnus/tiny-twitch,HTML,A tiny html/javascript game whose source code fits in one tweet!,223,39,omnus,Alex Yoder,User,Indianapolis,223
badssl.com,lgarron/badssl.com,HTML,:lock: Memorable site for testing clients against bad SSL configs.,219,22,lgarron,Lucas Garron,User,Mountain View,219
Sreg,n0tr00t/Sreg,HTML,Sreg可对使用者通过输入email、phone、username的返回用户注册的所有互联网护照信息。,213,121,n0tr00t,n0tr00t security team,Organization,China,333
newscombinator,tomw1808/newscombinator,HTML,This repository is the open-source newscombinator.,213,13,tomw1808,Thomas Wiesner,User,,213
address-spoofing-poc,musalbas/address-spoofing-poc,HTML,Chrome address spoofing vulnerability proof-of-concept for HTTPS. (Original by David Leo.),211,32,musalbas,Mustafa Al-Bassam,User,"London, UK",211
glyph-iconset,frexy/glyph-iconset,HTML,A minimal SVG icon set for modern web,207,9,frexy,Frexy,Organization,,207
InteractiveColoringConcept,codrops/InteractiveColoringConcept,HTML,A fun experimental coloring concept where a color droplet can be dragged from a palette and dropped on designated areas in a website mockup. ,207,48,codrops,Codrops,Organization,,3303
app-layout-templates,PolymerElements/app-layout-templates,HTML,Provides some basic application layout templates,205,65,PolymerElements,,Organization,,2025
didiShit,jinlong/didiShit,HTML,网络最火的O2O应用,价值100亿美刀的滴滴拉屎APP源码。,204,111,jinlong,Alon,User,Beijing,204
lambda-chat,cloudnative/lambda-chat,HTML,"A chat application without servers - using only AWS Lambda, S3, DynamoDB and SNS",204,29,cloudnative,CloudNative,Organization,,204
mqtt,mcxiaoke/mqtt,HTML,MQTT 3.1.1 Protocol Chinese Translation,201,50,mcxiaoke,Xiaoke Zhang,User,"Beijing, China",1085
fusile,Munter/fusile,HTML,A web asset precompiling file system proxy.,202,5,Munter,Peter Müller,User,"Copenhagen, Denmark",202
pageResponse,peunzhang/pageResponse,HTML,移动端响应式框架,200,87,peunzhang,白树,User,shenzhen,200
repractise,phodal/repractise,HTML,RePractise,193,22,phodal,Fengda Huang,User,Xiamen China,2292
csssans,yusugomori/csssans,HTML,"CSS SANS is the font created by CSS, the programming language for web designing and typesetting.",199,22,yusugomori,Yusuke Sugomori,User,Japan,199
Emacs-Elisp-Programming,caiorss/Emacs-Elisp-Programming,HTML,Tutorial about programming Elisp and Emacs text editor customization.,199,19,caiorss,Caio Rordrigues,User,"Recife, Brazil",2086
CreativeGooeyEffects,codrops/CreativeGooeyEffects,HTML,Practical examples of how to apply the Gooey effect by Lucas Bebber,196,32,codrops,Codrops,Organization,,3303
deep-framework,MitocGroup/deep-framework,HTML,Serverless Web Framework for Cloud-Native Applications and Platforms using Microservices Architecture,194,20,MitocGroup,Mitoc Group Inc,Organization,Woodcliff Lake NJ,194
ariabones,iandevlin/ariabones,HTML,Simplifying WAI-ARIA,195,10,iandevlin,Ian Devlin,User,"Düsseldorf, Germany",195
bootstrap-material-datetimepicker,T00rk/bootstrap-material-datetimepicker,HTML,Datepicker for bootstrap-material,193,59,T00rk,T00rk,User,,193
infinite-monkeys,thomshutt/infinite-monkeys,HTML,Pooling the wisdom of Hacker News,193,6,thomshutt,,User,,193
huxpro.github.io,Huxpro/huxpro.github.io,HTML,My Blog / Jekyll Themes,187,175,Huxpro,Hux 黄玄,User,China,187
reinforcejs,karpathy/reinforcejs,HTML,"Reinforcement Learning Agents in Javascript (Dynamic Programming, Temporal Difference, Deep Q-Learning, Stochastic/Deterministic Policy Gradients)",188,24,karpathy,Andrej,User,Stanford,2688
apiembed,Mashape/apiembed,HTML,"Embeddable API code snippets for your website, blog or API documentation",183,22,Mashape,Mashape,Organization,San Francisco,329
learn-js,nimojs/learn-js,HTML,一个 JavaScript 互助学习的项目。接受组件开发的挑战,提交代码让他人评论你的代码以提高。,183,89,nimojs,Nimo True,User,Shanghai China,877
angular.io,angular/angular.io,HTML,Website for Angular 2,179,197,angular,Angular,Organization,,2141
react-asset-loader,juancabrera/react-asset-loader,HTML,React component for loading images and videos without affecting the page load speed.,179,5,juancabrera,Juan Cabrera,User,New York,179
CodeFlask.js,kazzkiq/CodeFlask.js,HTML,A micro code-editor for awesome web pages.,175,10,kazzkiq,Claudio Holanda,User,"Belo Horizonte, Brazil",175
miketricking.github.io,miketricking/miketricking.github.io,HTML,Image hover effects that work with or without bootstrap,175,45,miketricking,Michael,User,UK,175
gif2txt,hit9/gif2txt,HTML,Gif image to Ascii Text,174,23,hit9,Chao Wang,User,"ShangHai, China",174
luaforwindows,rjpcomputing/luaforwindows,HTML,Lua for Windows is a 'batteries included environment' for the Lua scripting language on Windows.,169,17,rjpcomputing,,User,,169
casecode,dcloudio/casecode,HTML,DCloud开源项目集锦,170,146,dcloudio,DCloud,Organization,"Beijing,China",170
type-theme,rohanchandra/type-theme,HTML,Free and open-source Jekyll theme,170,247,rohanchandra,Rohan Chandra,User,,170
savetheinternet.in,netneutrality/savetheinternet.in,HTML,Response generator for the TRAI consultation paper,170,82,netneutrality,Net Neutrality India,Organization,,170
hackazon,rapid7/hackazon,HTML,A modern vulnerable web app,162,32,rapid7,Rapid7,Organization,"Boston, MA",347
gradients,mrmrs/gradients,HTML,Gradients!,167,15,mrmrs,Adam Morse,User,Hong Kong,167
jQuery.filer,CreativeDream/jQuery.filer,HTML,"Simple HTML5 File Uploader, a plugin tool for jQuery which change completely File Input and make it with multiple file selection, drag&drop support, different validations, thumbnails, icons, instant upload, print-screen upload and many other features and options.",165,36,CreativeDream,,User,Germany,165
cordova-samples,Microsoft/cordova-samples,HTML,Visual Studio Tools for Apache Cordova - Sample Apps,163,337,Microsoft,Microsoft,Organization,"Redmond, WA",23867
android-gradle-dsl,google/android-gradle-dsl,HTML,,163,16,google,Google,Organization,,70104
appsite,FaizMalkani/appsite,HTML,"Material Design Website Template for an app's landing page, built with Project Polymer",161,52,FaizMalkani,Faiz Malkani,User,India,161
resume-template,jglovier/resume-template,HTML,:page_facing_up::briefcase::tophat: A simple Jekyll + GitHub Pages powered resume template.,160,73,jglovier,Joel Glovier,User,"Mechanicsburg, PA",160
MotionBlurEffect,codrops/MotionBlurEffect,HTML,A tutorial on how to create a motion blur effect on HTML elements using JavaScript and an SVG filter.,159,23,codrops,Codrops,Organization,,3303
markdown-ui,jjuliano/markdown-ui,HTML,Write UI in Markdown Syntax,158,9,jjuliano,Joel Bryan Juliano,User,Philippines,158
HackerNewsReader,rnystrom/HackerNewsReader,HTML,"A small, read-only app for Hacker News.",157,22,rnystrom,Ryan Nystrom,User,"San Francisco, CA",157
readable,mds/readable,HTML,Make your paragraphs more readable,156,10,mds,Matt D. ,User,"Athens, GA",156
angular-fx,720kb/angular-fx,HTML,"Angular CSS3 animation directives (ngfx-bounce, ngfx-shake, ngfx-flip, ngfx-pulse and more ...) https://720kb.github.io/angular-fx",154,8,720kb,720kb,Organization,,468
catapult,catapult-project/catapult,HTML,Catapult,151,19,catapult-project,,Organization,,151
medium-style-confirm,brijeshb42/medium-style-confirm,HTML,medium.com style confirm dialog,150,12,brijeshb42,Brijesh Bittu,User,"Pune, India",150
font-loading,filamentgroup/font-loading,HTML,How Filament Group Loads Web Fonts,147,18,filamentgroup,Filament Group,Organization,"Boston, MA",147
youtube,rodrigobranas/youtube,HTML,Código das séries do Youtube,146,122,rodrigobranas,Rodrigo Branas,User,Brazil,146
lrStickyHeader,lorenzofox3/lrStickyHeader,HTML,make table headers sticky ,145,13,lorenzofox3,RENARD Laurent,User,Vietnam,145
forchange,MeCKodo/forchange,HTML,如何实现一个类jQuery?,144,39,MeCKodo,二哲,User,中国厦门,144
viktor,nicroto/viktor,HTML,Synthesizer built on the WebAudio API.,143,15,nicroto,Nikolay Tsenkov,User,"Sofia, Bulgaria",143
typedetail,wentin/typedetail,HTML,100 day project,143,7,wentin,Wenting Zhang,User,New York City,927
weblog.sh,hmngwy/weblog.sh,HTML,Blog from the Command Line,142,4,hmngwy,Pat Pat Pat,User,,142
miminium,akivaron/miminium,HTML,miminium admin template,124,25,akivaron,isna nur azis,User,indonesia,124
canvas-test,whxaxes/canvas-test,HTML,Funny Canvas,137,86,whxaxes,Axes,User,,137
gravitons,jxnblk/gravitons,HTML,,138,4,jxnblk,Brent Jackson,User,New York City,1071
reactivedesign,Zhouzi/reactivedesign,HTML,Collection of design insights about perceived speed.,137,1,Zhouzi,Gabin Aureche,User,France,2717
feplay,txchen/feplay,HTML,Frontend Play,136,22,txchen,Tianxiang Chen,User,"Redmond, WA",136
Travelogue,SalGnt/Travelogue,HTML,"A minimal, single-column Jekyll theme that provides an immersive read experience for your readers.",135,27,SalGnt,Salvatore Gentile,User,Italy,1265
WeiboPicBed,Suxiaogang/WeiboPicBed,HTML,新浪微博图床 Chrome插件,134,25,Suxiaogang,Sam Su,User,Xi'an,134
syuzhet,mjockers/syuzhet,HTML,An R package for the extraction of sentiment and sentiment-based plot arcs from text,132,31,mjockers,Matthew L. Jockers,User,"Lincoln, NE",132
react-elmish-example,gaearon/react-elmish-example,HTML,My personal attempt at understanding Elm architecture,131,5,gaearon,Dan Abramov,User,"London, UK",7814
react-mount,greenish/react-mount,HTML,React goes web component – Use custom tags to place react components directly in html.,128,5,greenish,Philipp Adrian,User,"New York, NY",128
polymer-element-catalog,Polymer/polymer-element-catalog,HTML,A catalog of Polymer-based web components built by the Polymer team,127,60,Polymer,polymer,Organization,,127
material-cards,marlenesco/material-cards,HTML,Card style based on Google Material color palette,127,28,marlenesco,David Foliti,User,Rome,127
opencodeofconduct,todogroup/opencodeofconduct,HTML,An easy to reuse open source code of conduct template for communities.,126,49,todogroup,TODO,Organization,,126
sqlstyle.guide,treffynnon/sqlstyle.guide,HTML,A consistent code style guide for SQL to ensure legible and maintainable projects,125,31,treffynnon,Simon Holywell,User,"Brighton, UK",125
grab-site,ludios/grab-site,HTML,"The archivist's web crawler: WARC output, dashboard for all crawls, dynamic ignore patterns",125,8,ludios,ludios,Organization,,125
awesome-br.github.io,awesome-br/awesome-br.github.io,HTML,,125,59,awesome-br,Awesome BR ,Organization,,125
Highway,ashh640/Highway,HTML,"A fast, lightweight and simple Javascript routing library with no dependencies.",123,4,ashh640,Ashley,User,,123
designer.italia.it,italia-it/designer.italia.it,HTML,Linee guida di design per i siti web della PA,124,38,italia-it,,User,,124
micropolis,SimHacker/micropolis,HTML,Automatically exported from code.google.com/p/micropolis,121,30,SimHacker,Don Hopkins,User,"Amsterdam, Netherlands",121
myCrawler,plough/myCrawler,HTML,我的爬虫练习,123,124,plough,tz二木,User,南京,123
Toggles-Switches,dsurgeons/Toggles-Switches,HTML,A declarative pattern for applying CSS states and animations based on user interaction,121,19,dsurgeons,Digital Surgeons,Organization,"New Haven, CT",121
github-trend-kr,TeamSEGO/github-trend-kr,HTML,"hi everybody. This Org's aim is limitless happiness as an engineer. Please, visit our page.",120,10,TeamSEGO,,Organization,,120
sandstorm-app-market,sandstorm-io/sandstorm-app-market,HTML,Sandstorm app market,119,9,sandstorm-io,Sandstorm.io,Organization,,249
quantuminsert,fox-it/quantuminsert,HTML,Quantum Insert,118,27,fox-it,Fox-IT,Organization,,118
write-code-every-day,raphamorim/write-code-every-day,HTML,:octocat: A project to honor those developers who believed in the challenge.,117,111,raphamorim,Raphael Amorim,User,"Brazil, Rio de Janeiro",117
ng-promise-status,BarakChamo/ng-promise-status,HTML,A collection of promise-aware Angular.js directives and UI elements,116,8,BarakChamo,Barak Chamo,User,"London, UK",116
privacytools.io,privacytoolsIO/privacytools.io,HTML,encryption against global mass surveillance,113,31,privacytoolsIO,Burung Hantu,User,Tox: 6186C58A4A9B49A631DC326AE89ECCEDFDBE50F6778AEB400248A291563EB21322DDB1DA6685,113
js.org,js-org/js.org,HTML,Dedicated to JavaScript and its awesome community since 2015,114,6,js-org,JS.ORG,Organization,,772
react-native-animation-book,browniefed/react-native-animation-book,HTML,"A book talking about react-native animations, and walking you through from beginner to expert.",113,5,browniefed,Jason Brown,User,"Portland, Oregon",113
simple_dqn,tambetm/simple_dqn,HTML,Simple deep Q-learning agent.,114,15,tambetm,Tambet Matiisen,User,,114
CodeGuide,AlloyTeam/CodeGuide,HTML,Alloyteam代码规范,113,58,AlloyTeam,腾讯 AlloyTeam,Organization,"中国深圳(Shenzhen, China)",423
dubbo-monitor,handuyishe/dubbo-monitor,HTML,基于Dubbox最新版本重新开发的简单监控,112,83,handuyishe,韩都衣舍,Organization,"Jinan, China",112
data-tip.css,egoist/data-tip.css,HTML,"Wow, such tooltip, with pure css!",111,8,egoist,EGOIST,User,Sky Tree,346
codeinthedark.github.io,codeinthedark/codeinthedark.github.io,HTML,Code in the Dark website,111,18,codeinthedark,Code in the Dark,Organization,Tictail HQ,2382
flexbox-playground,imjustd/flexbox-playground,HTML,Mini project demonstrating how CSS3 Flexbox Layout works,110,27,imjustd,Dimitar Stojanov,User,Europe,110
flat-admin-bootstrap-templates,tui2tone/flat-admin-bootstrap-templates,HTML,Free Bootstrap 3 Administrator Site Templates,105,65,tui2tone,Tui2Tone,User,Thailand,105
plumber,trestletech/plumber,HTML,Turn your R code into a web API.,108,11,trestletech,Jeff Allen,User,"Dallas, TX",108
vue-starter,layer7be/vue-starter,HTML,Starter website for single page Vue.js apps,106,29,layer7be,Layer7 BVBA,Organization,"Gent, Belgium",106
Angular2-JumpStart,DanWahlin/Angular2-JumpStart,HTML,Angular 2 and TypeScript JumpStart example,106,31,DanWahlin,Dan Wahlin,User,Arizona,410
gridlayout,ghinda/gridlayout,HTML,"Lightweight grid system for advanced horizontal and vertical app layouts, with support for older browsers.",106,11,ghinda,Ionut Colceriu,User,"Targu Mures, Romania",106
personal-jekyll-theme,PanosSakkos/personal-jekyll-theme,HTML,{ Personal } Jekyll theme.,105,146,PanosSakkos,Panos Sakkos,User,"Oslo, Norway",105
expressive-css,johnpolacek/expressive-css,HTML,"An approach to writing lightweight, scalable CSS using utility classes that are easy to write and understand.",101,8,johnpolacek,John Polacek,User,Chicago,101
falcor-express-demo,Netflix/falcor-express-demo,HTML,Demonstration Falcor end point for a Netflix-style Application using express,104,20,Netflix,"Netflix, Inc.",Organization,"Los Gatos, California",8686
strand,MediaMath/strand,HTML,"A collection of modular, reusable Web Components built upon Polymer",104,22,MediaMath,MediaMath,Organization,"NYC, Boston, Chicago, London, San Francisco",104
chart.css,theus/chart.css,HTML,A Simple CSS Chart System,103,9,theus,Theus Falcão,User,Brasil,103
optimal-roadtrip-usa,rhiever/optimal-roadtrip-usa,HTML,"Contains maps for the article, 'Computing the optimal road trip across the U.S.' and similar articles",103,36,rhiever,Randy Olson,User,"Philadelphia, PA",2537
beautiful-jekyll,daattali/beautiful-jekyll,HTML,Build a beautiful and simple website in literally minutes. Demo at http://deanattali.com/beautiful-jekyll,102,185,daattali,Dean Attali,User,Vancouver,102
frontend-perf,fourkitchens/frontend-perf,HTML,The repository for the Frontend Performance training,103,9,fourkitchens,Four Kitchens,Organization,"Austin, TX",103
paper-chat,pubnub/paper-chat,HTML,A simple chat room in Material Design build with Polymer (Polymer 0.5),102,47,pubnub,PubNub,Organization,"San Francisco, CA",554
js-code-structure,timqian/js-code-structure,HTML,Analyse the structure of your js project(relations between js files),101,1,timqian,钱利江,User,中国 上海(Shanghai China),101
I-Dont-Want-Windows-10,rn10950/I-Dont-Want-Windows-10,HTML,A graphical uninstaller for the 'Get Windows 10' update (KB3035583) that is installed on Windows 7 and Windows 8.1 systems.,100,8,rn10950,,User,,100
loaders.css,ConnorAtherton/loaders.css,CSS,"Delightful, performance-focused pure css loading animations.",5574,587,ConnorAtherton,Connor Atherton,User,San Francisco,5574
primer,primer/primer,CSS,The base coat of GitHub. Our internal CSS toolkit and guidelines.,4491,310,primer,Primer,Organization,Planet Earth,4491
photon,connors/photon,CSS,The fastest way to build beautiful Electron apps using simple HTML and CSS,4122,141,connors,Connor Sears,User,"Castro Valley, CA",4122
web-design-standards,18F/web-design-standards,CSS,Open source UI components and visual style guide for U.S. government websites,2725,297,18F,18F,Organization,United States,3061
Arc-theme,horst3180/Arc-theme,CSS,A flat theme with transparent elements,2383,119,horst3180,,User,,2815
hubpress.io,HubPress/hubpress.io,CSS,A web application to build your blog on GitHub,2163,1919,HubPress,HubPress,Organization,"France, Nantes",2163
ant-design,ant-design/ant-design,CSS,A design language,2040,319,ant-design,,Organization,,2040
Office-UI-Fabric,OfficeDev/Office-UI-Fabric,CSS,The front-end framework for building experiences for Office 365.,1813,215,OfficeDev,Office Developer,Organization,"Redmond, WA",1813
minigrid,henriquea/minigrid,CSS,Minimal 2kb zero dependency cascading grid layout,1548,92,henriquea,Henrique Alves,User,"London, UK",1548
space.js,gopatrik/space.js,CSS, A HTML-driven JavaScript-library for narrative 3D-scrolling.,1389,133,gopatrik,Patrik Göthe,User,"Gothenburg, Sweden",1499
Bayesian-Modelling-in-Python,markdregan/Bayesian-Modelling-in-Python,CSS,A python tutorial on bayesian modeling techniques (PyMC3),1217,92,markdregan,Mark Regan,User,San Francisco // Ireland,1217
Flatabulous,anmoljagetia/Flatabulous,CSS,This is a Flat theme for Ubuntu and other Gnome based Linux Systems.,1156,72,anmoljagetia,Anmol Jagetia,User,,1156
write-ups-2015,ctfs/write-ups-2015,CSS,"Wiki-like CTF write-ups repository, maintained by the community. 2015",1021,425,ctfs,CTFs,Organization,,1021
markdown-plus,tylingsoft/markdown-plus,CSS,"Markdown Plus ('M+' or 'mdp' for short) is a versatile markdown editor. Besides CommonMark, GitHub flavored markdown, it also supports footnote, task list, emoji, Font Awesome, Ionicons, mathematical formula, flowchart, sequence diagram, gantt diagram, Vim mode and Emacs mode.",967,131,tylingsoft,,Organization,,967
stretchy,LeaVerou/stretchy,CSS,"Form element autosizing, the way it should be.",939,53,LeaVerou,Lea Verou,User,"Cambridge, MA",6767
marx,mblode/marx,CSS,The stylish CSS reset.,900,60,mblode,Matthew Blode,User,"Melbourne, Australia",1640
front-end-handbook,FrontendMasters/front-end-handbook,CSS,The resources and tools for learning about the practice of front-end development. ,876,122,FrontendMasters,Frontend Masters,Organization,Minnesota,1008
segment,lmgonzalves/segment,CSS,A little JavaScript class (without dependencies) to draw and animate SVG path strokes,850,43,lmgonzalves,lmgonzalves,User,Cuba,850
monu,maxogden/monu,CSS,menubar process monitor mac app [ALPHA],819,43,maxogden,=^._.^=,User,,4885
anicollection,anicollection/anicollection,CSS,"The easiest way to find, use and share animations. Priceless!",778,45,anicollection,,Organization,,778
burger,mblode/burger,CSS,Burger - The minimal hamburger menu with fullscreen navigation.,740,39,mblode,Matthew Blode,User,"Melbourne, Australia",1640
ephemeral2,losvedir/ephemeral2,CSS,"Ephemeral P2P over websockets, Phoenix/Elixir.",753,51,losvedir,Gabe Durazo,User,"New York, NY",753
localFont,jaicab/localFont,CSS,Implement localStorage web font caching in seconds,752,23,jaicab,Jaime Caballero,User,London,752
cssnano,ben-eb/cssnano,CSS,"A modular minifier, built on top of the PostCSS ecosystem.",696,26,ben-eb,Ben Briggs,User,,812
tacit,yegor256/tacit,CSS,"CSS Framework for Dummies, Without Classes",692,35,yegor256,Yegor Bugayenko,User,"Palo Alto, CA",819
dog-fucked-zhihu,wintercn/dog-fucked-zhihu,CSS,退出知乎好帮手——狗日的知乎,备份自己的答案,取消所有点赞,批量替换所有答案,613,114,wintercn,Shaofei Cheng,User,China,613
TextInputEffects,codrops/TextInputEffects,CSS,Simple styles and effects for enhancing text input interactions.,583,111,codrops,Codrops,Organization,,3303
littlebox,cmaddux/littlebox,CSS,"Super simple to implement, CSS-only icons.",552,31,cmaddux,Cabell Maddux,User,"Vancouver, BC",552
trianglify-generator,qrohlf/trianglify-generator,CSS,no-coding-required triangle pattern generator. work in progress.,542,43,qrohlf,Quinn Rohlf,User,"Portland, OR",542
big-rig,GoogleChrome/big-rig,CSS,"A proof-of-concept Performance Dashboard, CLI and Node module",531,25,GoogleChrome,,Organization,,3031
FormButtons,sconstantinides/FormButtons,CSS,"Forms within buttons, oh my!",505,35,sconstantinides,Stelios Constantinides,User,"Chicago, IL",505
Colorify.js,LukyVj/Colorify.js,CSS,"The simple, customizable, tiny javascript color extractor",479,19,LukyVj,Lucas Bonomi,User,Paris,754
overpass,RedHatBrand/overpass,CSS,Overpass open source web font family — Sponsored by Red Hat,474,19,RedHatBrand,Red Hat Brand Team,Organization,,474
awesome-mysql,shlomi-noach/awesome-mysql,CSS,"A curated list of awesome MySQL software, libraries, tools and resources",441,72,shlomi-noach,Shlomi Noach,User,,441
guide,meteor/guide,CSS,How do I use Meteor? (Work in progress),438,44,meteor,Meteor Development Group,Organization,,942
scooter,dropbox/scooter,CSS,An SCSS framework & UI library for Dropbox Web.,439,20,dropbox,Dropbox,Organization,San Francisco,3557
gnu-pricing,diafygi/gnu-pricing,CSS,Turn GNU command line tools into SaaS (Stupid Hackathon Project),440,15,diafygi,Daniel Roesler,User,"Oakland, CA",5657
sqltabs,sasha-alias/sqltabs,CSS,Rich SQL console for Postrgesql.,428,20,sasha-alias,Sasha Aliashkevich,User,Prague,428
arc-firefox-theme,horst3180/arc-firefox-theme,CSS,Arc Firefox Theme,432,10,horst3180,,User,,2815
pubcss,thomaspark/pubcss,CSS,Format academic publications in HTML & CSS,425,22,thomaspark,Thomas Park,User,Philadelphia,1377
uno-zen,Kikobeats/uno-zen,CSS,Minimalist and Elegant theme for Ghost. Demo @ http://kikobeats.com,426,193,Kikobeats,Kiko Beats,User,"Murcia, Spain",529
gulp-aws-splash,niftylettuce/gulp-aws-splash,CSS,:shipit: The open-source LaunchRock alternative. Build beautiful splash pages to collect emails & more – primarily focused on performance and rapid development. This project is sponsored by Clevertech.,425,17,niftylettuce,niftylettuce,User,,425
ionic-material-design-lite,delta98/ionic-material-design-lite,CSS,Material Design (Lite) style override for Ionic Framework,422,79,delta98,Jason Brown,User,Manchester,422
motion-ui,zurb/motion-ui,CSS,Sass library for creating transitions and animations.,414,44,zurb,zurb,Organization,"Campbell, CA",414
perfschool,bevacqua/perfschool,CSS,:ocean: Navigate the #perfmatters salt marsh waters in this NodeSchool workshopper,411,24,bevacqua,Nicolás Bevacqua,User,https://twitter.com/nzgb,20409
sass-boilerplate,HugoGiraudel/sass-boilerplate,CSS,A boilerplate for Sass projects using the 7-1 architecture pattern.,396,48,HugoGiraudel,Hugo Giraudel,User,Berlin,1949
ngconf2015demo,Microsoft/ngconf2015demo,CSS,TodoMVC application demo for ng-conf 2015,392,137,Microsoft,Microsoft,Organization,"Redmond, WA",23867
corpus,jamiewilson/corpus,CSS,Yet another CSS toolkit. Basically the stuff I use for most projects.,379,35,jamiewilson,Jamie Wilson,User,"Dallas, Texas",379
weixin_sogou,iberryful/weixin_sogou,CSS,爬取微信公众号文章,378,102,iberryful,Rui Ban,User,Beijing,378
hacker-slides,jacksingleton/hacker-slides,CSS,,371,24,jacksingleton,Jack Singleton,User,United States,371
hackmd,hackmdio/hackmd,CSS,Realtime collaborative markdown notes on all platforms.,365,45,hackmdio,,Organization,,365
hexo-theme-tranquilpeak,LouisBarranqueiro/hexo-theme-tranquilpeak,CSS,A gorgeous responsive theme for Hexo blog framework,365,136,LouisBarranqueiro,Louis Barranqueiro,User,France,365
AnimateTransition,Rapid-Application-Development-JS/AnimateTransition,CSS,Library for transition animations between blocks (pages) in the application.,362,56,Rapid-Application-Development-JS,RAD.JS,Organization,,362
fedHandlebook,dwqs/fedHandlebook,CSS,Front-end Developer HandBook. Read online: https://dwqs.gitbooks.io/frontenddevhandbook/content/,356,70,dwqs,Pomy,User,"Beijing,China",356
django-flat-theme,elky/django-flat-theme,CSS,"A flat theme for Django admin interface. Modern, fresh, simple.",352,22,elky,elky,User,"Chelyabinsk, Russia",352
visualixir,koudelka/visualixir,CSS,A process/message visualizer for BEAM nodes.,348,5,koudelka,Michael Shapiro,User,"Austin, TX / Vancouver, BC",348
nodejs-zh-CN,nodejs/nodejs-zh-CN,CSS,node.js 中文化 & 中文社区,345,52,nodejs,,Organization,,3323
home,rime/home,CSS,The Rime::Home repository is the starting point for people to learn about Rime.,344,29,rime,RIME,Organization,式恕堂,344
crayon,riccardoscalco/crayon,CSS,Crayon.css is a list of css variables linking color names to hex values.,339,26,riccardoscalco,Riccardo Scalco,User,Italy,3585
django-jet,geex-arts/django-jet,CSS,Modern template for Django admin interface with improved functionality,335,29,geex-arts,Geex Arts,Organization,,335
dropify,JeremyFagis/dropify,CSS,Override your input files with style — Demo here : http://jeremyfagis.github.io/dropify,335,40,JeremyFagis,Jeremy FAGIS,User,Lyon - France,335
milligram,milligram/milligram,CSS,A minimalist CSS framework.,189,17,milligram,Milligram,Organization,,189
atom-material-ui,silvestreh/atom-material-ui,CSS,A dynamic UI theme for Atom that follows Google's Material Design Guidelines,326,45,silvestreh,Silvestre Herrera,User,"La Plata, Argentina",326
eloquentjavascript_ru,karmazzin/eloquentjavascript_ru,CSS,,316,74,karmazzin,,User,Russia,316
nodeadmin,nodeadmin/nodeadmin,CSS,A fantastically elegant interface for MySQL and Node.js/Express management. - https://www.npmjs.com/package/nodeadmin,313,22,nodeadmin,NodeAdmin,Organization,,313
slackthemes,paracycle/slackthemes,CSS,A Slack sidebar theme browser,311,50,paracycle,Ufuk Kayserilioglu,User,"Istanbul, Turkey",311
DaftPunKonsole,KOWLOR/DaftPunKonsole,CSS,Keyboard console,310,51,KOWLOR,Malik Dellidj,User,"Lille, France",310
startbootstrap-creative,IronSummitMedia/startbootstrap-creative,CSS,A one page HTML theme for creatives by Start Bootstrap,302,521,IronSummitMedia,Iron Summit Media Strategies,Organization,"Orlando, FL",302
ClickEffects,codrops/ClickEffects,CSS,A set of subtle effects for click or touch interactions inspired by the visualization of screen taps in mobile app showcases. The effects are done with CSS animations mostly on pseudo-elements.,297,47,codrops,Codrops,Organization,,3303
avalanche,colourgarden/avalanche,CSS,"Superclean, powerful, responsive, Sass-based, BEM-syntax CSS grid system",250,12,colourgarden,Tom Hare,User,London,250
twentysixteen,WordPress/twentysixteen,CSS,"Twenty Sixteen is a modernized take on an ever-popular WordPress layout — the horizontal masthead with an optional right sidebar that works perfectly for blogs and websites. It has custom color options with beautiful default color schemes, a harmonious fluid grid using a mobile-first approach, and impeccable polish in every detail. Twenty Sixteen will make your WordPress look beautiful everywhere.",293,121,WordPress,,Organization,,293
autocompeter,peterbe/autocompeter,CSS,A really fast AJAX autocomplete service and widget,275,12,peterbe,Peter Bengtsson,User,"Mountain View, California",275
WiTeX,AndrewBelt/WiTeX,CSS,If Donald Knuth had designed Wikipedia,274,19,AndrewBelt,Andrew Belt,User,University of Tennessee,1910
Silon,SLaks/Silon,CSS,Logic Gates and Adders in pure CSS,273,10,SLaks,SLaks,User,New Jersey,273
3ree,GordyD/3ree,CSS,"An example universal JS application written with the 3REE stack, React + Redux + RethinkDB + Express. A stack for building apps, front and back end, with just Javascript.",261,26,GordyD,Gordon Dent,User,San Francisco,261
bem-constructor,danielguillan/bem-constructor,CSS,A Sass library for building immutable and namespaced BEM-style CSS objects,266,14,danielguillan,Daniel Guillan,User,Barcelona,380
XiYuanFangApp,lzjun567/XiYuanFangApp,CSS,Make knowledge to acquire more easer,266,72,lzjun567,liuzhijun,User,guangzhou,266
hotcss,imochen/hotcss,CSS,移动端布局终极解决方案 --- 让移动端布局开发更加容易,264,57,imochen,墨尘,User,Beijing,264
prestashop-icon-font,PrestaShop/prestashop-icon-font,CSS,An open source icon pack made with love by the PrestaShop design team. You can use it everywhere to make your designs and websites look awesome.,256,23,PrestaShop,PrestaShop,Organization,Paris / Miami,256
Animating-Hamburger-Icons,callmenick/Animating-Hamburger-Icons,CSS,Animating CSS-only hamburger menu icons,254,74,callmenick,Nick Salloum,User,Trinidad & Tobago,367
hexo-theme-hueman,ppoffice/hexo-theme-hueman,CSS,"A redesign of Alx's wordpress theme hueman, ported to Hexo.",253,89,ppoffice,Ruipeng Zhang,User,"Harbin, China",474
papier,alexanderGugel/papier,CSS,:paperclip: Just another CSS framework,253,15,alexanderGugel,Alexander Gugel,User,London,1534
scally,chris-pearce/scally,CSS,"Scally is a Sass-based, BEM, OOCSS, responsive-ready, CSS framework that provides you with a solid foundation for building reusable UI's quickly",251,17,chris-pearce,Chris Pearce,User,Sydney,365
react-mdl,tleunen/react-mdl,CSS,React Components wrapper for Material Design Lite UI,248,49,tleunen,Tommy,User,Montreal,248
appolo,nicnocquee/appolo,CSS,Plugins and Themes for Jekyll to create App Portfolio for Developers,189,11,nicnocquee,Nico Prananta,User,,189
AngularJS-Boilerplate,jbutko/AngularJS-Boilerplate,CSS,Simple AngularJS Boilerplate to kick start your new project with SASS support and Gulp watch/build tasks,245,42,jbutko,Jozef Butko,User,Slovakia,245
formhack,ireade/formhack,CSS,A hackable css form reset,242,13,ireade,Ire Aderinokun,User,,242
overscroll,tholman/overscroll,CSS,Javascript for adding small easter eggs when over scrolling on apple devices.,238,19,tholman,Tim Holman,User,"NYC, for the most part.",6993
rust-book-chinese,KaiserY/rust-book-chinese,CSS,rust 官方教程 中文版,238,64,KaiserY,KaiserY,User,Tianjin China,238
scikit-learn-videos,justmarkham/scikit-learn-videos,CSS,IPython notebooks from the scikit-learn video series,235,154,justmarkham,Kevin Markham,User,"Washington, DC, USA",390
arrow-hero,AcelisWeaven/arrow-hero,CSS,A minimalist game where your goal is to match your inputs with an unstoppable continuous overwelming flow of arrows.,232,65,AcelisWeaven,Jérémy Graziani,User,"Lyon, France",232
sassy-flags,Layerful/sassy-flags,CSS,Lightweight Sass library to display flags on your site.,230,17,Layerful,Layerful,Organization,England,230
nudge,csswizardry/nudge,CSS,Warn developers about improper selector usage,226,5,csswizardry,Harry Roberts,User,"Leeds, UK",226
resume,joyeecheung/resume,CSS,Reads resume data from a JSON file and generates a static web page for it.,225,96,joyeecheung,Joyee Cheung,User,"Guangzhou, China",225
college-choice,18F/college-choice,CSS,College Scorecard,224,47,18F,18F,Organization,United States,3061
octoscreen,orderedlist/octoscreen,CSS,An OS X screensaver with octicons,224,8,orderedlist,Steve Smith,User,"South Bend, IN, USA",224
cookieconsent2,silktide/cookieconsent2,CSS,A free solution to the EU Cookie Law,224,74,silktide,Silktide,Organization,UK,224
hexo-theme-icarus,ppoffice/hexo-theme-icarus,CSS,"The blog theme you may fall in love with, coming to Hexo.",221,88,ppoffice,Ruipeng Zhang,User,"Harbin, China",474
pyportify,rckclmbr/pyportify,CSS,Flask app to transfer your spotify playlists to Google Play Music,219,26,rckclmbr,Joshua Braegger,User,Utah,219
react-signup-form,mikepro4/react-signup-form,CSS,React signup form ,221,10,mikepro4,Mikhail Proniushkin,User,New York / Palo Alto,221
rust_book_ru,kgv/rust_book_ru,CSS,The Rust Programming Language (на русском),221,31,kgv,g,User,,221
turret,bigfishtv/turret,CSS,Turret is a styles and browser behaviour normalisation framework for rapid development of responsive and accessible websites.,218,18,bigfishtv,,Organization,"Brisbane, Australia",218
layers-css,Eiskis/layers-css,CSS,"A lightweight, unobtrusive and style-agnostic, CSS framework aimed for practical use cases. Comes with a small footprint and zero bullshit.",218,11,Eiskis,Jerry Jäppinen,User,"Helsinki, Finland",218
aimeos-laravel,aimeos/aimeos-laravel,CSS,Laravel e-commerce package for high performance online shops,212,50,aimeos,Aimeos,User,,212
catch-the-egg,shtange/catch-the-egg,CSS,Game 'Catch The Egg' (JavaScript) | ,213,39,shtange,Yurii Shtanhei,User,"Ukraine, Sumy",213
Juiced,ovdojoey/Juiced,CSS,A Flexbox CSS Framework ,210,11,ovdojoey,Joey Lea,User,Orlando FL,210
neutroncss,NeutronCSS/neutroncss,CSS,"A Sass framework that empowers you to create flexible, clear, and semantic website layouts.",206,11,NeutronCSS,,Organization,,206
sassdash,davidkpiano/sassdash,CSS,The Sass implementation of lodash.,204,5,davidkpiano,David Khourshid,User,"Orlando, FL",375
sierra,sierra-library/sierra,CSS,Sierra SCSS micro library,199,19,sierra-library,Sierra library,Organization,,199
utility-opentype,kennethormandy/utility-opentype,CSS,"Simple, CSS utility classes for advanced typographic features.",197,5,kennethormandy,Kenneth Ormandy,User,"Vancouver, BC",197
outline,matt-harris/outline,CSS,The clean & simple framework.,196,20,matt-harris,Matt Harris,User,"Bristol, UK",196
Themes,CharmanderProject/Themes,CSS,Ubuntu Simple and Flat theme,195,15,CharmanderProject,,Organization,,195
blog,frankmcsherry/blog,CSS,Some notes on things I find interesting and important.,191,16,frankmcsherry,Frank McSherry,User,,191
netify-jump,luigiplr/netify-jump,CSS,[WIP] Netify Jump is a software-based system that effectively transforms your computer into a WiFi router and/or repeater.,186,5,luigiplr,Luigi Poole,User,"Victoria, Canada",186
peach,peachdocs/peach,CSS,"Peach is a web server for multi-language, real-time synchronization and searchable documentation.",187,18,peachdocs,,Organization,,187
angular-timeline,rpocklin/angular-timeline,CSS,"An Angular.JS directive that generates a responsive, data-driven vertical timeline to tell a story, show history or describe a sequence of events.",182,43,rpocklin,Robert Pocklington,User,"Melbourne, VIC, AU",182
kactus,nickbalestra/kactus,CSS,Cactus's default theme on Jekyll,178,120,nickbalestra,Nick Balestra,User,twitter.com/nickbalestra,178
Mango,egrcc/Mango,CSS,"Mango is markdown editor for linux, also supports windows and mac osx, powered by NW.js.",173,35,egrcc,Lujun Zhao,User,"ShangHai,China",173
maxas,NervanaSystems/maxas,CSS,Assembler for NVIDIA Maxwell architecture,173,14,NervanaSystems,Nervana Systems ™,Organization,"San Diego, CA",316
menu-to-cross-icon,LukyVj/menu-to-cross-icon,CSS,"One idea, 6 possibilities",172,18,LukyVj,Lucas Bonomi,User,Paris,754
sass-svg,davidkpiano/sass-svg,CSS,Inline SVG for Sass.,171,4,davidkpiano,David Khourshid,User,"Orlando, FL",375
HTML-CSS-Advanced-Topics,MartinChavez/HTML-CSS-Advanced-Topics,CSS,HTML/CSS: Advanced Topics,168,15,MartinChavez,Martin Chavez Aguilar,User,"Seattle, WA",778
load-awesome,danielcardoso/load-awesome,CSS,An awesome collection of — Pure CSS — Loaders and Spinners,159,20,danielcardoso,Daniel Cardoso,User,"Coimbra, Portugal",159
N1-Taiga,noahbuscher/N1-Taiga,CSS,"A clean, Mailbox-inspired theme for Nylas N1",158,9,noahbuscher,Noah Buscher,User,Iowa,158
elixir-school,doomspork/elixir-school,CSS,Lessons in Elixir programming,153,30,doomspork,Sean Callan,User,"Oakland, CA",311
stack-blog,StackExchange/stack-blog,CSS,Stack Overflow Blog,154,47,StackExchange,Stack Overflow,Organization,"New York, NY",154
meteor-slack,scotch-io/meteor-slack,CSS,Code for the scotch.io tutorial by Daniel (danyll.com),153,90,scotch-io,scotch,Organization,,153
cardkit,times/cardkit,CSS,"A simple, configurable, web based image creation tool",153,35,times,The Times and Sunday Times,Organization,"London, UK",153
golangcookbook.github.io,golangcookbook/golangcookbook.github.io,CSS,Golang Cookbook,151,20,golangcookbook,Golang Cookbook,Organization,,151
subbscribe,shlomnissan/subbscribe,CSS,Beautiful opt-in form for MailChimp and CampaignMonitor,150,12,shlomnissan,Shlomi Nissan,User,Tel-Aviv — Sydney,150
select2-bootstrap-theme,select2/select2-bootstrap-theme,CSS,A Select2 v4 Theme for Bootstrap 3,149,46,select2,Select2,Organization,,149
winstrap,winjs/winstrap,CSS,The official Bootstrap theme for Microsoft's Modern design language,149,46,winjs,WinJS,Organization,,262
tuesday,shakrmedia/tuesday,CSS,A quirky CSS Animation Library by Shakr,149,10,shakrmedia,Shakr,Organization,"Seoul, Republic of Korea",149
start_html,agragregra/start_html,CSS,Стартовые шаблоны для современной адаптивной верстки сайтов,149,160,agragregra,Алексей,User,,282
yarr,channikhabra/yarr,CSS,Yet Another RSS Reader,148,15,channikhabra,Charanjit Singh,User,Punjab (India),148
tone-analyzer-nodejs,watson-developer-cloud/tone-analyzer-nodejs,CSS,Sample Node.js Application for the IBM Tone Analyzer Service,146,57,watson-developer-cloud,Watson Developer Cloud,Organization,USA,431
Parallax-on-the-Web-DevTips-,DevTips/Parallax-on-the-Web-DevTips-,CSS,The code that accompanies the video series on YouTube called 'Parallax on the Web' — https://www.youtube.com/playlist?list=PLqGj3iMvMa4IyCbhul-PdeiDqmh4ooJzk,147,139,DevTips,,Organization,,147
mira,davbre/mira,CSS,Create simple read-only APIs from CSV files,147,10,davbre,,User,,147
mickey,vincentchan/mickey,CSS,A minimal one-column theme for Jekyll. ,146,67,vincentchan,Vincent Chan,User,Hong Kong,146
geeksforgeeks-as-books,gnijuohz/geeksforgeeks-as-books,CSS,"Epub, mobi, docx, pdf books generated from geeksforgeeks.org",145,120,gnijuohz,Jing Zhou,User,"Calgary, Canada",145
material,naveenshaji/material,CSS,An HTML5 responsive template incorporating Google's Material Design Standards along with Jekyll -- Work in Progress --,145,188,naveenshaji,Naveen Shaji,User,India,145
nervanagpu,NervanaSystems/nervanagpu,CSS,Nervana™ library for GPUs,143,24,NervanaSystems,Nervana Systems ™,Organization,"San Diego, CA",316
chewing-grid.css,tzi/chewing-grid.css,CSS,"A CSS Grid ideal for card listing design like tiles, videos or articles listing. Responsive without media-queries.",143,19,tzi,Thomas ZILLIOX,User,"Lyon, France",143
nativeDroid2,godesign/nativeDroid2,CSS,nativeDroid2 is a jQueryMobile Template inspired by Material Design,140,73,godesign,,User,,140
angular-flash,sachinchoolur/angular-flash,CSS,A simple lightweight flash message module for angularjs,140,28,sachinchoolur,Sachin N,User,Bangalore,253
StarWarsIntroCreator,BrOrlandi/StarWarsIntroCreator,CSS,Create your own Star Wars intro.,127,14,BrOrlandi,Bruno Orlandi,User,Campinas - SP,127
pwstabs,alexchizhovcom/pwstabs,CSS,jQuery Tabs Plugin,139,9,alexchizhovcom,Alex Chizhov,User,"Yekaterinburg, Russia",139
ATVIcons,nashvail/ATVIcons,CSS,"Apple TV 2015 icons recreated in HTML, CSS and JS",137,22,nashvail,Nash Vail,User,India,724
JSHomes-Platform,jshomes/JSHomes-Platform,CSS,A learning platform Fighting Poverty with Code http://bit.ly/jshomes,136,10,jshomes,,Organization,,302
angular-progress-button-styles,akveo/angular-progress-button-styles,CSS,AngularJS version of codrops progress buttons for the use with promises,136,9,akveo,,Organization,Minsk,136
animated-gameboy-in-css,bchanx/animated-gameboy-in-css,CSS,Animated Gameboy created in CSS.,134,13,bchanx,Brian Chan,User,"San Francisco, CA",134
csv-to-html-table,derekeder/csv-to-html-table,CSS,":arrow_down_small: Display any CSV (comma separated values) file as a searchable, filterable, pretty HTML table",134,13,derekeder,Derek Eder,User,"Chicago, IL",134
free-time.github.io,free-time/free-time.github.io,CSS,:movie_camera: Palestra para desenvolvedores,134,45,free-time,Free-time,Organization,,134
ScrollMenu,s-yadav/ScrollMenu,CSS,A new interface to replace your old boring scrollbar,132,17,s-yadav,Sudhanshu Yadav,User,"Bangalore, India",132
birdman,markmarkoh/birdman,CSS,Recreating the Birdman opening credits with HTML5 Web Audio APIs,130,6,markmarkoh,Mark DiMarco,User,"Austin, TX",130
speech-to-text-nodejs,watson-developer-cloud/speech-to-text-nodejs,CSS,:microphone: Sample Node.js Application for the IBM Watson Speech to Text Service,125,88,watson-developer-cloud,Watson Developer Cloud,Organization,USA,431
AnimatedMenuIcon,codrops/AnimatedMenuIcon,CSS,Demo for the tutorial on how to animate an SVG menu icon based on Tamas Kojo's Dribbble shot [hamburger menu](https://dribbble.com/shots/2265620-hamburger-menu) and implemented [Segment](https://github.com/lmgonzalves/segment). By [Luis Manuel](https://github.com/lmgonzalves),123,12,codrops,Codrops,Organization,,3303
osf,lvwangbeta/osf,CSS,OSF是一个开放、自由、分享的内容社区类网站原型,实现多用户,内容的发布、评论、喜欢,消息传递,Feed流,标签分类等内容社区类网站通用功能。你可以用OSF构建一个单纯的社交网站,也可以加入标签成为一个兴趣社区,甚至两者皆可,这一切OSF都已为你提供。,121,58,lvwangbeta,lvwang,User,,121
github-issues-blog,wuhaoworld/github-issues-blog,CSS,基于 Github issues 的单页面静态博客,120,42,wuhaoworld,Hao Wu,User,,120
go_web_app,GoesToEleven/go_web_app,CSS,go_web_app,119,56,GoesToEleven,Todd McLeod,User,,234
ButtonStylesInspiration,codrops/ButtonStylesInspiration,CSS,Some ideas for modern and subtle button styles and effects,118,22,codrops,Codrops,Organization,,3303
slate,pebble/slate,CSS, Front-end framework for developing Pebble mobile configuration pages.,115,16,pebble,,Organization,,115
quantity-queries,danielguillan/quantity-queries,CSS,Simple quantity queries mixins for Sass,114,5,danielguillan,Daniel Guillan,User,Barcelona,380
JSONConfigurablePersonalSite,christophior/JSONConfigurablePersonalSite,CSS,A JSON configurable personal site; example site:,113,14,christophior,Chris Villarreal,User,"Austin, TX",113
hugo-lambda,ryansb/hugo-lambda,CSS,Use AWS Lambda to run the Hugo static site generator,113,8,ryansb,Ryan Brown,User,"Buffalo, NY",113
Material-Menu,callmenick/Material-Menu,CSS,Off canvas menu inspired by Google's material design,113,42,callmenick,Nick Salloum,User,Trinidad & Tobago,367
workbench,kobeaerts/workbench,CSS,A basic frontend boilerplate with some opinionated magic,112,11,kobeaerts,,User,,112
top-topic-Zhihu,Huangtuzhi/top-topic-Zhihu,CSS,:seedling: Display top 10 topics on Zhihu everday. ,108,33,Huangtuzhi,titus,User,,108
fa-scss-plus,dnomak/fa-scss-plus,CSS,Font Awesome Scss Plus,111,2,dnomak,Doğukan Güven Nomak,User,"Izmir, Turkey",111
ForoneAdmin,ForoneTech/ForoneAdmin,CSS,基于Laravel5.1封装的后台管理系统,支持手机和PC端访问,111,28,ForoneTech,,Organization,,286
markdown-preview.vim,iamcco/markdown-preview.vim,CSS,Real-time markdown preview plugin for vim,110,7,iamcco,年糕小豆汤,User,,110
healthy-gulp-angular,paislee/healthy-gulp-angular,CSS,A starting point for Gulp + Angular,110,48,paislee,Caleb,User,,110
reacteu-app,Thinkmill/reacteu-app,CSS,ReactEurope TouchstoneJS Mobile App,109,29,Thinkmill,Thinkmill,Organization,Sydney,109
nodejs-ko,nodejs/nodejs-ko,CSS,node.js 한국 커뮤니티,108,28,nodejs,,Organization,,3323
percircle,toubou91/percircle,CSS,:o: CSS percentage circle built with jQuery,100,11,toubou91,Thodoris Bais,User,"Thessaloniki, Greece",100
vue-antd,okoala/vue-antd,CSS,Vue UI Component & Ant.Design,107,17,okoala,Koala,User,"中国深圳(Shenzhen, China)",107
TKL,SuperKieran/TKL,CSS,Hexo Theme,106,61,SuperKieran,Kieran,User,,106
scopemount,montecruiseto/scopemount,CSS,10 Beautiful Themes for Telescope,108,22,montecruiseto,Samir,User,"Bangkok, Thailand",108
flux-getting-started,rynclark/flux-getting-started,CSS,Getting started with Flux,107,20,rynclark,Ryan Clark,User,Swindon,107
yart,JoyNeop/yart,CSS,Yet another resume tool,107,15,JoyNeop,Joy Neop,User,"Beijing, China",107
https,GSA/https,CSS,"The HTTPS-Only Standard for federal domains (M-13-13), and helpful implementation guidance.",106,29,GSA,U.S. General Services Administration,Organization,"1800 F Street NW, Washington DC 20405",106
android-gitbook,yongjhih/android-gitbook,CSS,,104,19,yongjhih,Andrew Chen,User,"Taipei, Taiwan",251
colofilter.css,LukyVj/colofilter.css,CSS,Colofilter.css - Duotone filters made with CSS ! ,103,9,LukyVj,Lucas Bonomi,User,Paris,754
pidcodes.github.com,pidcodes/pidcodes.github.com,CSS,Website for pid.codes,103,192,pidcodes,,Organization,,103
angular-morris-chart,stewones/angular-morris-chart,CSS,:coffee: wrapper of morris.js for angular 1.x,102,37,stewones,Stewan P.,User,"Vila Velha, Brazil",102
pySecurity,smartFlash/pySecurity,CSS,Python tutorials,101,78,smartFlash,,Organization,,101
evopop-gtk-theme,solus-cold-storage/evopop-gtk-theme,CSS,[NOT MAINTAINED] Gtk theme for Solus Project & Budgie Desktop,101,15,solus-cold-storage,,Organization,,101
Wiki-in-box,dmscode/Wiki-in-box,CSS,一个可以放在各种网盘,各种空间的,Markdown 语法支持的 Wiki 系统,可以用来方便的管理自己的知识碎片。欢迎各种支持,101,35,dmscode,稻米鼠,User,,101
TextStylesHoverEffects,codrops/TextStylesHoverEffects,CSS,A couple of creative text styles and hover effects for your inspiration. Some effects use experimental techniques including SVG masking and Canvas.,101,16,codrops,Codrops,Organization,,3303
Static-Site-Samples,remotesynth/Static-Site-Samples,CSS,A collection of simple sites built with various static site engines,101,20,remotesynth,Brian Rinaldi,User,"Boston, MA",101
Beans,Getbeans/Beans,CSS,Beans WordPress Theme Framework,100,16,Getbeans,Beans,Organization,Word Wild Web,100
angular-resizable,Reklino/angular-resizable,CSS,A lightweight directive for creating resizable containers.,100,29,Reklino,Jacob,User,,100
rails-webpack-react-flux,nambrot/rails-webpack-react-flux,CSS,A Sample CRUD app in Rails/Webpack/React/Flux with server side rendering,100,7,nambrot,Nam Chu Hoai,User,Boston,100
gcm-playground,googlesamples/gcm-playground,CSS,,100,20,googlesamples,Google Samples,Organization,,13082
tufte-jekyll,clayh53/tufte-jekyll,CSS,Minimal Jekyll blog styled to resemble the look and layout of Edward Tufte's books,100,51,clayh53,Clay H,User,,100
engineering-blogs,kilimchoi/engineering-blogs,Ruby,A curated list of engineering blogs,7187,747,kilimchoi,Kilim Choi,User,,7187
awesome-react-native,jondot/awesome-react-native,Ruby,"An 'awesome' type curated list of React Native components, news, tools, and learning material",2312,236,jondot,Dotan J. Nahum,User,"Tel Aviv, Israel",2965
administrate,thoughtbot/administrate,Ruby,A Rails engine that helps you put together a super-flexible admin dashboard.,2001,129,thoughtbot,"thoughtbot, inc.",Organization,"USA, London, Stockholm ",5368
objc-zen-book-cn,oa414/objc-zen-book-cn,Ruby,ObjC Zen Book 中文翻译,1790,406,oa414,Lin Xiangyu,User,"NanJing, Jiangsu, China",1790
best-ruby,franzejr/best-ruby,Ruby,"Ruby Tricks, Idiomatic Ruby, Refactorings and Best Practices",1712,125,franzejr,Franzé Jr.,User,,1712
gitrob,michenriksen/gitrob,Ruby,Reconnaissance tool for GitHub organizations,1108,133,michenriksen,Michael Henriksen,User,"Berlin, Germany",1108
FlagKit,madebybowtie/FlagKit,Ruby,Beautiful flag icons for usage in apps and on the web.,1034,51,madebybowtie,Bowtie,Organization,"Stockholm, Sweden",1034
BooJS,sotownsend/BooJS,Ruby,Unix swiss army knife for headless browser javascript,870,23,sotownsend,Seo Townsend,User,"Tampa, FL",870
Spina,denkGroot/Spina,Ruby,Spina CMS,735,91,denkGroot,,Organization,,735
bettercap,evilsocket/bettercap,Ruby,"A complete, modular, portable and easily extensible MITM framework.",724,102,evilsocket,Simone Margaritelli,User,"Rome, Italy",724
ruby-patterns,TheBlasfem/ruby-patterns,Ruby,Examples of Patterns in Ruby,703,57,TheBlasfem,Julio López Montalvo,User,"Lima, Perú",703
spaceship,fastlane/spaceship,Ruby,Ruby library to access the Apple Dev Center and iTunes Connect,644,85,fastlane,fastlane,Organization,,3488
rails_db,igorkasyanchuk/rails_db,Ruby,Rails Database Viewer and SQL Query Runner,639,35,igorkasyanchuk,Igor Kasyanchuk,User,Ivano-Frankivsk (Ukraine),639
gym,fastlane/gym,Ruby,Building your iOS apps has never been easier,601,47,fastlane,fastlane,Organization,,3488
codeclimate,codeclimate/codeclimate,Ruby,Code Climate CLI,588,51,codeclimate,Code Climate,Organization,New York City,588
solidus,solidusio/solidus,Ruby,"Solidus, Rails eCommerce System",570,135,solidusio,,Organization,,570
github-awards,vdaubry/github-awards,Ruby,Discover your ranking on github :,575,53,vdaubry,vincent daubry,User,Paris,575
shrine,janko-m/shrine,Ruby,File upload toolkit for Ruby,567,16,janko-m,Janko Marohnić,User,"Zagreb, Croatia",668
pretty_backtrace,ko1/pretty_backtrace,Ruby,Pretty your exception backtrace.,557,20,ko1,Koichi Sasada,User,"Tokyo, Japan",557
react_on_rails,shakacode/react_on_rails,Ruby,Integration of React + Webpack + Rails to build Universal (Isomorphic) Apps,548,47,shakacode,Shaka Code,Organization,"Maui, Hawaii, USA",548
ruby-fighter,MadRabbit/ruby-fighter,Ruby,Street Fighter II in Ruby!,543,51,MadRabbit,Nikolay Nemshilov,User,"Sydney, Australia",675
Portus,SUSE/Portus,Ruby,Authorization service and frontend for Docker registry (v2),520,72,SUSE,SUSE,Organization,,520
graphql-ruby,rmosolgo/graphql-ruby,Ruby,Ruby implementation of Facebook's GraphQL ,517,41,rmosolgo,Robert Mosolgo,User,"Carlsbad, CA",517
dryrun,cesarferreira/dryrun,Ruby,:coffee: Try the demo project of any Android Library,518,43,cesarferreira,César Ferreira,User,Lisbon,2122
kontena,kontena/kontena,Ruby,"Container platform built to maximize developer happiness. Works on any cloud, easy to setup, simple to use.",515,31,kontena,"Kontena, Inc",Organization,,515
gulp-rails-pipeline,vigetlabs/gulp-rails-pipeline,Ruby,Ditch the Rails Asset Pipeline and roll your own with Gulp,508,55,vigetlabs,Viget Labs,Organization,"Falls Church, VA / Durham, NC / Boulder, CO",629
awesome-geek-podcasts,guipdutra/awesome-geek-podcasts,Ruby,A curated list of podcasts we like to listen to. ,499,85,guipdutra,Guilherme Dutra,User,Belo Horizonte / Brazil,499
fasterer,DamirSvrtan/fasterer,Ruby,Don't make your Rubies go fast. Make them go fasterer ™.,498,22,DamirSvrtan,,User,Zagreb,498
git-game,jsomers/git-game,Ruby,The git committer guessing game!,437,26,jsomers,James Somers,User,"New York, NY",437
xcode-install,neonichu/xcode-install,Ruby,Install and update your Xcodes.,431,33,neonichu,Boris Bügling,User,"Berlin, Germany",1957
react.rb,zetachang/react.rb,Ruby,Opal Ruby wrapper of React.js library.,427,30,zetachang,David Chang,User,"Taipei, Taiwan",772
the-ultimate-guide-to-ruby-timeouts,ankane/the-ultimate-guide-to-ruby-timeouts,Ruby,:clock4:,408,16,ankane,Andrew Kane,User,"San Francisco, CA",567
polo,IFTTT/polo,Ruby,Polo travels through your database and creates sample snapshots so you can work with real world data in development.,380,14,IFTTT,IFTTT,Organization,San Francisco,5448
airbrussh,mattbrictson/airbrussh,Ruby,Airbrussh pretties up your SSHKit and Capistrano output,372,8,mattbrictson,Matt Brictson,User,San Francisco,488
md2key,k0kubun/md2key,Ruby,Convert markdown to keynote,365,8,k0kubun,Takashi Kokubun,User,"Tokyo, Japan",771
crono,plashchynski/crono,Ruby,A time-based background job scheduler daemon (just like Cron) for Rails,361,17,plashchynski,Dzmitry Plashchynski,User,"Tel Aviv, Israel",361
openhunt,OpenHunting/openhunt,Ruby,"discover new products, give feedback, help each other",360,38,OpenHunting,Open Hunt,Organization,"San Francisco, CA",360
fit-commit,m1foley/fit-commit,Ruby,A Git hook to validate your commit messages based on community standards.,352,10,m1foley,Mike Foley,User,"San Francisco, CA",352
rcon,matsumoto-r/rcon,Ruby,rcon is a lightweight resource virtualization tool for linux processes. This is one-binary.,347,12,matsumoto-r,"MATSUMOTO, Ryosuke",User,"Fukuoka, Japan.",347
opal-native,zetachang/opal-native,Ruby,React Native in Ruby,345,10,zetachang,David Chang,User,"Taipei, Taiwan",772
stations,captaintrain/stations,Ruby,List of stations and associated metadata,340,21,captaintrain,Captain Train,Organization,"Paris, France",340
gem-shut-the-fuck-up,tpope/gem-shut-the-fuck-up,Ruby,Gem SHUT THE FUCK UP,321,8,tpope,Tim Pope,User,"Brooklyn, NY",474
itc-api-docs,fastlane/itc-api-docs,Ruby,The unofficial documentation of the iTunes Connect JSON API,316,12,fastlane,fastlane,Organization,,3488
bulk_insert,jamis/bulk_insert,Ruby,Efficient bulk inserts with ActiveRecord,315,8,jamis,Jamis Buck,User,"Smithfield, Utah, USA",315
sidekiq-statistic,davydovanton/sidekiq-statistic,Ruby,See statistic about your workers,305,18,davydovanton,Anton Davydov,User,"Moscow, Russia",305
hamlit,k0kubun/hamlit,Ruby,High Performance Haml Implementation,304,8,k0kubun,Takashi Kokubun,User,"Tokyo, Japan",771
ruby-push-notifications,calonso/ruby-push-notifications,Ruby,"iOS, Android and Windows Phone Push Notifications made easy!!",302,11,calonso,Carlos Alonso,User,"London, UK",302
classroom,education/classroom,Ruby,"Classroom for GitHub automates repository creation and access control, making it easy for teachers to distribute starter code and collect assignments on GitHub.",300,48,education,GitHub Education,Organization,,300
video_transcoding,donmelton/video_transcoding,Ruby,"Tools to transcode, inspect and convert videos.",295,19,donmelton,Don Melton,User,The Republic of California,295
consul,consul/consul,Ruby,Consul - Open Government and E-Participation Web Software,295,113,consul,,Organization,,295
knock,nsarno/knock,Ruby,Seamless JWT authentication for Rails API,289,17,nsarno,Arnaud Mesureur,User,"Melbourne, Australia",289
match,fastlane/match,Ruby,Easily sync your certificates and profiles across your team using git,287,19,fastlane,fastlane,Organization,,3488
terraforming,dtan4/terraforming,Ruby,"Export existing AWS resources to Terraform style (tf, tfstate)",280,37,dtan4,Daisuke Fujita,User,"Tokyo, Japan",280
boarding,fastlane/boarding,Ruby,Instantly create a simple signup page for TestFlight beta testers,281,41,fastlane,fastlane,Organization,,3488
csv-importer,BrewhouseTeam/csv-importer,Ruby,CSV Import for humans on Ruby / Ruby on Rails,275,13,BrewhouseTeam,Brewhouse,Organization,"Vancouver, Canada",275
ttnt,Genki-S/ttnt,Ruby,"Test This, Not That! (Google Summer of Code 2015 project under Ruby on Rails)",271,7,Genki-S,Genki Sugimoto,User,"Tokyo, Japan",271
Rome,neonichu/Rome,Ruby,Rome makes it easy to build a list of frameworks.,269,8,neonichu,Boris Bügling,User,"Berlin, Germany",1957
staytus,adamcooke/staytus,Ruby,An open source solution for publishing the status of your services,266,35,adamcooke,Adam Cooke,User,"Dorset, United Kingdom",369
pilot,fastlane/pilot,Ruby,The best way to manage your TestFlight testers and builds from your terminal,264,33,fastlane,fastlane,Organization,,3488
alfi,cesarferreira/alfi,Ruby,Android Library Finder,262,36,cesarferreira,César Ferreira,User,Lisbon,2122
rucaptcha,huacnlee/rucaptcha,Ruby,This is a Captcha gem for Rails Application. It run ImageMagick command to draw Captcha image.,260,33,huacnlee,Jason Lee,User,"Chengdu,China",484
webinspector,davidesantangelo/webinspector,Ruby,"Ruby gem to inspect completely a web page. It scrapes a given URL, and returns you its meta, links, images more.",258,25,davidesantangelo,Davide Santangelo,User,Italy,258
gemstash,bundler/gemstash,Ruby,,256,12,bundler,Bundler,Organization,,256
dash,IFTTT/dash,Ruby,"A self-contained, mostly zero-configuration environment for developing containerized applications at IFTTT. http://ifttt.github.io",253,29,IFTTT,IFTTT,Organization,San Francisco,5448
railsbox,andreychernih/railsbox,Ruby,Fast and easy Ruby on Rails virtual machines,242,27,andreychernih,Andrey Chernih,User,"Mountain View, CA",242
learning-tools,lowescott/learning-tools,Ruby,A collection of tools and files for learning new technologies,238,49,lowescott,Scott Lowe,User,"Denver, CO, USA",238
actioncable-examples,rails/actioncable-examples,Ruby,Action Cable Examples,231,66,rails,Ruby on Rails,Organization,,1445
catpix,pazdera/catpix,Ruby,Print images in the terminal using Ruby.,225,9,pazdera,Radek Pazdera,User,London,225
frankenstein,dkhamsing/frankenstein,Ruby,:octocat: Correct README Redirects,221,3,dkhamsing,,User,California,3827
biz,zendesk/biz,Ruby,Time calculations using business hours.,222,5,zendesk,Zendesk,Organization,San Francisco,222
HSTracker,bmichotte/HSTracker,Ruby,HSTracker is a Hearthstone deck tracker for Mac OsX,216,32,bmichotte,Benjamin Michotte,User,"Liège, Belgium",216
coordstagram,toddwschneider/coordstagram,Ruby,Instagram viewer by latitude and longitude. Easy to deploy to Heroku,214,16,toddwschneider,,User,"New York, NY",805
kashmir,IFTTT/kashmir,Ruby,Kashmir is a Ruby DSL that makes serializing and caching objects a snap.,212,6,IFTTT,IFTTT,Organization,San Francisco,5448
awspec,k1LoW/awspec,Ruby,RSpec tests for your AWS resources.,211,14,k1LoW,Ken’ichiro Oyama,User,"Fukuoka, JAPAN",211
tty-prompt,peter-murach/tty-prompt,Ruby,A beautiful and powerful interactive command line prompt,123,3,peter-murach,Piotr Murach,User,"Sheffield, UK",123
mruby-cli,hone/mruby-cli,Ruby,"A utility for setting up a CLI with mruby that compiles binaries to Linux, OS X, and Windows",210,10,hone,Terence Lee,User,"Austin, TX",210
dry-validation,dryrb/dry-validation,Ruby,Data validation library based on predicate logic and rule composition,206,9,dryrb,,Organization,,206
inspec,chef/inspec,Ruby,InSpec: Auditing and Testing Framework,202,21,chef,"Chef Software, Inc.",Organization,"Seattle, WA",475
scan,fastlane/scan,Ruby,The easiest way to run tests of your iOS and Mac app,195,30,fastlane,fastlane,Organization,,3488
proof,undercase/proof,Ruby,Secure Authentication for Single Page Applications,192,7,undercase,Thomas Hobohm,User,"Southlake, Texas",192
iso_latte,emcien/iso_latte,Ruby,Ruby gem for isolating code execution into a subprocess,189,2,emcien,"Emcien, Inc.",Organization,"Atlanta, GA",189
CocoaSeeds,devxoul/CocoaSeeds,Ruby,Git Submodule Alternative for Cocoa.,182,8,devxoul,Suyeol Jeon,User,"Seoul, Korea",484
watchbuild,fastlane/watchbuild,Ruby,Get a notification once your iTunes Connect build is finished processing,183,2,fastlane,fastlane,Organization,,3488
jekyll-feed,jekyll/jekyll-feed,Ruby,:memo: A Jekyll plugin to generate an Atom (RSS-like) feed of your Jekyll posts,181,27,jekyll,Jekyll,Organization,,181
commander,commander-rb/commander,Ruby,The complete solution for Ruby command-line executables,181,16,commander-rb,,Organization,,181
Startup-Game,bydmm/Startup-Game,Ruby,创业者的游戏: 中关村启示录,181,78,bydmm,Nathan,User,"wuhan, china",181
slackiq,MightySignal/slackiq,Ruby,Slackiq = Slack + Sidekiq,178,1,MightySignal,MightySignal,Organization,San Francisco,178
produce,fastlane/produce,Ruby,Create new iOS apps on iTunes Connect and Dev Portal using the command line,164,32,fastlane,fastlane,Organization,,3488
haikunator,usmanbashir/haikunator,Ruby,Heroku-like random name generator.,163,8,usmanbashir,Usman Bashir,User,"Jeddah, Saudi Arabia",163
ruby-deploy-kickstart,rdsubhas/ruby-deploy-kickstart,Ruby,"Ruby (and Rails) deployment kickstart with dotEnv, Foreman, Ansible, Docker and Vagrant",162,16,rdsubhas,RDX,User,,162
bootstrap-rubygem,twbs/bootstrap-rubygem,Ruby,Bootstrap 4 Ruby Gem for Rails / Sprockets and Compass.,159,19,twbs,Bootstrap,Organization,San Francisco,159
pomotv,chriseidhof/pomotv,Ruby,,154,14,chriseidhof,Chris Eidhof,User,Berlin,563
strong_migrations,ankane/strong_migrations,Ruby,Catch unsafe migrations at dev time,159,0,ankane,Andrew Kane,User,"San Francisco, CA",567
faml,eagletmt/faml,Ruby,Faster implementation of Haml template language,158,3,eagletmt,Kohei Suzuki,User,"Tokyo, Japan",158
percheron,ashmckenzie/percheron,Ruby,Organise your Docker containers with muscle and intelligence,156,4,ashmckenzie,Ash McKenzie,User,"Geelong, Victoria, Australia",156
regressor,ndea/regressor,Ruby,"Generate specs for your rails application the easy way. Regressor generates model and controller specs based on validations, associations, enums, database, routes, callbacks. Use regressor to capture your rails application behaviour. ",156,12,ndea,Erwin Schens,User,Koblenz,432
openvpn-http-hooks,smartvpnbiz/openvpn-http-hooks,Ruby,OpenVPN server wrapper,154,93,smartvpnbiz,SmartVPN.biz,Organization,,355
rockflow,ndea/rockflow,Ruby,Create simple or complex workflows and rock your app!,153,3,ndea,Erwin Schens,User,Koblenz,432
cert,fastlane/cert,Ruby,Automatically create and maintain iOS code signing certificates,153,20,fastlane,fastlane,Organization,,3488
supply,fastlane/supply,Ruby,Command line tool for updating Android apps and their metadata on the Google Play Store,153,11,fastlane,fastlane,Organization,,3488
vagrant-docker-compose,leighmcculloch/vagrant-docker-compose,Ruby,A Vagrant provisioner for docker compose.,148,22,leighmcculloch,Leigh McCulloch,User,"San Francisco, California",148
windows,boxcutter/windows,Ruby,Virtual machine templates for Windows,147,64,boxcutter,Boxcutter,Organization,,416
telegram-bot-ruby,atipugin/telegram-bot-ruby,Ruby,Ruby wrapper for Telegram's Bot API,146,25,atipugin,Alexander Tipugin,User,"Moscow, Russia",146
real-world-rails,eliotsykes/real-world-rails,Ruby,Real World Rails applications and their open source codebases for developers to learn from,144,16,eliotsykes,Eliot Sykes,User,"London, UK",144
gmail,gmailgem/gmail,Ruby,"A Rubyesque interface to Gmail, with all the tools you'll need.",144,30,gmailgem,,Organization,,144
squid,Fullscreen/squid,Ruby,A Ruby library to plot charts in PDF files,145,5,Fullscreen,Fullscreen,Organization,"Playa Vista, CA",145
jobless,dabrorius/jobless,Ruby,A ruby DSL for generating CVs.,144,13,dabrorius,Filip Defar,User,Zagreb,144
oh-my-vpn,alaa/oh-my-vpn,Ruby,Setup your own OpenVPN server in 30 seconds!,143,9,alaa,Alaa Qutaish,User,Berlin,143
examples,fastlane/examples,Ruby,A collection of example fastlane setups,140,24,fastlane,fastlane,Organization,,3488
tiddle,adamniedzielski/tiddle,Ruby,Devise strategy for token authentication in API-only Ruby on Rails applications,136,15,adamniedzielski,Adam Niedzielski,User,Poland,136
fir-cli,FIRHQ/fir-cli,Ruby,fir.im command-line interface,136,32,FIRHQ,fir.im,Organization,"Beijing, China",136
statusify,statusify/statusify,Ruby,"Statusify is a web-application status app, written entirely in Ruby.",134,10,statusify,Statusify,Organization,status.*.*,134
fault_tolerant_router,drsound/fault_tolerant_router,Ruby,"A daemon, running in background on a Linux router or firewall, monitoring the state of multiple internet uplinks/providers and changing the routing accordingly. LAN/DMZ internet traffic is load balanced between the uplinks.",134,9,drsound,Alessandro Zarrilli,User,Poggibonsi - Italy,134
git-wayback-machine,MadRabbit/git-wayback-machine,Ruby,A simple script to quickly navigate a project's state through it's GIT history,132,6,MadRabbit,Nikolay Nemshilov,User,"Sydney, Australia",675
mountain_view,jgnatch/mountain_view,Ruby,Living styleguide for Rails,132,10,jgnatch,Ignacio Gutierrez,User,"Buenos Aires, Argentina",132
WWDC2015,6david9/WWDC2015,Ruby,WWDC2015下载链接,131,25,6david9,6david9,User,"Beijing, China",131
serveit,garybernhardt/serveit,Ruby,"ServeIt, a synchronous server and rebuilder of static content like blogs, books, READMEs, etc.",130,6,garybernhardt,Gary Bernhardt,User,"Seattle, WA",130
rtrace,yahoo/rtrace,Ruby,Rtrace is an x86/x86_64 native code debugger written in Ruby with zero dependencies,129,8,yahoo,Yahoo Inc.,Organization,"Sunnyvale, California",10798
git-fastclone,square/git-fastclone,Ruby,git clone --recursive on steroids,129,4,square,Square,Organization,,13457
hardcover,xing/hardcover,Ruby,Hardcover takes your coverage reports and stores them on the server and comments on your open pull requests.,129,2,xing,XING Developers,Organization,"Hamburg, Germany (We are hiring!)",129
gkv,ybur-yug/gkv,Ruby,Git as a KV store,128,8,ybur-yug,yburyug,User,"San Juan, Puerto Rico",128
disc,pote/disc,Ruby,Simple Disque-powered Ruby Jobs,125,10,pote,pote,User,"Montevideo, Uruguay",125
karafka,karafka/karafka,Ruby,Microframework used to simplify Apache Kafka based Ruby applications development,124,4,karafka,Karafka,Organization,"Poland, Cracow",124
stitches,stitchfix/stitches,Ruby,Rails Engine and supporting classes for easily exposing a RESTful API,126,7,stitchfix,Stitch Fix Technology,Organization,Everywhere,1154
gem_updater,MaximeD/gem_updater,Ruby,Update gems in your Gemfile and fetch their changelogs,126,3,MaximeD,Maxime Demolin,User,"Dijon, France",126
earthdata-search,nasa/earthdata-search,Ruby,"Earthdata Search is a web application developed by NASA EOSDIS to enable data discovery, search, comparison, visualization, and access across EOSDIS' Earth Science data holdings.",126,21,nasa,NASA,Organization,United States of America,126
rimportor,ndea/rimportor,Ruby,Modern bulk import for ruby on rails.,123,2,ndea,Erwin Schens,User,Koblenz,432
vane,delvelabs/vane,Ruby,A GPL fork of the popular wordpress vulnerability scanner WPScan,123,25,delvelabs,Delve Labs,Organization,"Montreal, Canada",123
isabella,chrisvfritz/isabella,Ruby,A voice-computing assistant built in Ruby.,121,8,chrisvfritz,Chris Fritz,User,"Lansing, MI",121
pragmatic_segmenter,diasks2/pragmatic_segmenter,Ruby,Pragmatic Segmenter is a rule-based sentence boundary detection gem that works out-of-the-box across many languages.,119,6,diasks2,Kevin Dias,User,"Tochigi, Japan",630
pluck_to_hash,girishso/pluck_to_hash,Ruby,Extend ActiveRecord pluck to return array of hashes,118,16,girishso,Girish Sonawane,User,"Pune, India",118
five-star,rob-murray/five-star,Ruby,:star: A Ruby generic rating library :star:,118,0,rob-murray,Robert Murray,User,UK,118
prolly,iamwilhelm/prolly,Ruby,DSL to express and query probabilities in code,118,5,iamwilhelm,Wil Chung,User,"Mountain View, CA",118
carrierwave-bombshelter,DarthSim/carrierwave-bombshelter,Ruby,Protects your carrierwave from image bombs,117,6,DarthSim,Sergey Alexandrovich,User,"Russia, Omsk",117
cii-best-practices-badge,linuxfoundation/cii-best-practices-badge,Ruby,Core Infrastructure Initiative Best Practices Badge,117,17,linuxfoundation,The Linux Foundation,Organization,,117
rails-template,mattbrictson/rails-template,Ruby,"Application template for Rails 4.2 projects; preloaded with best practices for TDD, security, deployment, and developer productivity.",116,27,mattbrictson,Matt Brictson,User,San Francisco,488
slacked,codelittinc/slacked,Ruby,A simple and easy way to send notifications to Slack from your Ruby or Rails application.,115,6,codelittinc,Codelitt Incubator,Organization,Miami - New York City,115
embiggen,altmetric/embiggen,Ruby,A Ruby library to expand shortened URLs,115,6,altmetric,Altmetric LLP,Organization,"London, United Kingdom",115
os-vagrant,rancher/os-vagrant,Ruby,,112,24,rancher,Rancher,Organization,,2376
debride,seattlerb/debride,Ruby,,114,4,seattlerb,Seattle Ruby Brigade,Organization,We will light you on fire.,114
rails_workflow,madzhuga/rails_workflow,Ruby,,114,11,madzhuga,Maxim Madzhuga,User,"Samara, Russia",114
sprockets-es6,TannerRogalsky/sprockets-es6,Ruby,Sprockets ES6 transformer,112,43,TannerRogalsky,Tanner Rogalsky,User,"Toronto, Ontario",112
open-data-maker,18F/open-data-maker,Ruby,make it easy to turn a lot of potentially large csv files into easily accessible open data,112,79,18F,18F,Organization,United States,3061
rails_event_store,arkency/rails_event_store,Ruby,A Ruby implementation of an EventStore based on Active Record.,112,7,arkency,Arkency,Organization,,2549
Nest,nestproject/Nest,Ruby,Swift Web Server Gateway Interface,101,1,nestproject,Nest,Organization,,101
chaskiq,michelson/chaskiq,Ruby,Newsletter Rails engine,111,5,michelson,Miguel Michelson Martinez,User,"Santiago, Chile",111
productive-sublime-snippets-ruby,janlelis/productive-sublime-snippets-ruby,Ruby,Ruby Snippets for Sublime Text,110,2,janlelis,Jan Lelis,User,Berlin,110
pizza,stevekinney/pizza,Ruby,Where is the best :pizza: in a given city?,109,92,stevekinney,Steve Kinney,User,"Denver, CO",109
codes,fastlane/codes,Ruby,Create promo codes for iOS Apps using the command line,107,10,fastlane,fastlane,Organization,,3488
eldr,eldr-rb/eldr,Ruby,A minimal Ruby framework with fire in its heart,107,3,eldr-rb,,Organization,,107
attache,choonkeat/attache,Ruby,Yet another approach to file upload,106,6,choonkeat,Chew Choon Keat,User,Singapore,106
Generamba,rambler-ios/Generamba,Ruby,This codegenerator is too brilliant to be real!,106,8,rambler-ios,iOS Team @ Rambler&Co,Organization,"Russia, Moscow",106
motorhead,amatsuda/motorhead,Ruby,A Rails Engine framework that helps safe and rapid feature prototyping,105,2,amatsuda,Akira Matsuda,User,"Tokyo, Japan",105
SafeFinder,st0012/SafeFinder,Ruby,When NullObject meets ActiveRecord,105,3,st0012,Stan Lo,User,"Taipei, Taiwan",105
EDB,RoxasShadow/EDB,Ruby,A framework to make and manage backups of your database,105,3,RoxasShadow,Giovanni Capuano,User,The middle of nowhere,105
state_machines-activerecord,state-machines/state_machines-activerecord,Ruby,StateMachines Active Record Integration,105,20,state-machines,,Organization,,105
jsonapi-serializers,fotinakis/jsonapi-serializers,Ruby,Pure Ruby readonly serializers for the JSON:API spec.,104,26,fotinakis,Mike Fotinakis,User,San Francisco - @mikefotinakis,104
rails-safe-tasks,adamcooke/rails-safe-tasks,Ruby,Automatically disable dangerous Rake tasks in production,103,3,adamcooke,Adam Cooke,User,"Dorset, United Kingdom",369
xcodesnippet,Xcode-Snippets/xcodesnippet,Ruby,A command-line interface for installing Xcode Snippets,102,6,Xcode-Snippets,Xcode Snippets,Organization,,102
sprockets,rails/sprockets,Ruby,Rack-based asset packaging system,102,497,rails,Ruby on Rails,Organization,,1445
inesita,inesita-rb/inesita,Ruby,Frontend web application framework in Ruby using Opal.,102,7,inesita-rb,Inesita,Organization,,102
as-duration,janko-m/as-duration,Ruby,Extraction of ActiveSupport::Duration from Rails,101,3,janko-m,Janko Marohnić,User,"Zagreb, Croatia",668
from-scratch,sandrew/from-scratch,Ruby,One last command to bootstrap typical Rails production environment ready for first deploy,100,2,sandrew,Andrew Shaydurov,User,Russia,100
swift,apple/swift,C++,The Swift Programming Language,24883,3068,apple,Apple,Organization,"Cupertino, CA",34543
tensorflow,tensorflow/tensorflow,C++, Open source software library for numerical computation using data flow graphs.,15546,4355,tensorflow,,Organization,,15546
notepad-plus-plus,notepad-plus-plus/notepad-plus-plus,C++,Notepad++ official repository,2270,592,notepad-plus-plus,Notepad++,Organization,,2270
AndFix,alibaba/AndFix,C++,AndFix is a library that offer hot-fix for Android App.,2252,514,alibaba,Alibaba,Organization,"Hangzhou, China",4994
mxnet,dmlc/mxnet,C++,"Lightweight, Portable, Flexible Distributed/Mobile Deep Learning with Dynamic, Mutation-aware Dataflow Dep Scheduler; for Python, R, Julia, Go, Javascript and more",2134,690,dmlc,Distributed (Deep) Machine Learning Community,Organization,,2647
FLIF,FLIF-hub/FLIF,C++,Free Lossless Image Format,1954,109,FLIF-hub,FLIF,Organization,Brussels,1954
Arduino,esp8266/Arduino,C++,ESP8266 core for Arduino,1712,676,esp8266,ESP8266 Community Forum,Organization,,1712
omim,mapsme/omim,C++,MAPS.ME - Offline OpenStreetMap maps for iOS/Android/Mac/Linux/Windows,1558,199,mapsme,MAPS.ME,Organization,,1558
kwm,koekeishiya/kwm,C++,Tiling window manager with focus follows mouse for OSX,1428,30,koekeishiya,,User,Norway,1428
z3,Z3Prover/z3,C++,The Z3 Theorem Prover,1356,215,Z3Prover,Z3 Theorem Prover,Organization,,1356
bish,tdenniston/bish,C++,Bish is a language that compiles to Bash. It's designed to give shell scripting a more comfortable and modern feel.,1327,37,tdenniston,Tyler Denniston,User,,1327
Unreal.js,ncsoft/Unreal.js,C++,Unreal.js: Javascript runtime built for UnrealEngine 4,1215,59,ncsoft,NCSOFT,Organization,"Seoul, Korea",1215
GSL,Microsoft/GSL,C++,Guidelines Support Library,1151,118,Microsoft,Microsoft,Organization,"Redmond, WA",23867
googletest,google/googletest,C++,Google Test,1133,313,google,Google,Organization,,70104
jerryscript,Samsung/jerryscript,C++,Ultra-lightweight JavaScript engine for Internet of Things. http://www.jerryscript.net,1051,95,Samsung,Samsung,Organization,,2478
v8worker,ry/v8worker,C++,Minimal golang binding to V8,969,54,ry,ry,User,,969
llilc,dotnet/llilc,C++,"This repo contains LLILC, an LLVM based compiler for .NET Core. It includes a set of cross-platform .NET code generation tools that enables compilation of MSIL byte code to LLVM supported platforms.",951,84,dotnet,.NET Foundation,Organization,,12402
btfs,johang/btfs,C++,A bittorrent filesystem based on FUSE. C++.,939,25,johang,Johan Gunnarsson,User,,939
DynamicAPK,CtripMobile/DynamicAPK,C++,Solution to implement multi apk dynamic loading and hot fixing for Android App. (实现Android App多apk插件化和动态加载,支持资源分包和热修复),934,297,CtripMobile,CtripMobile,Organization,"Shanghai, China",934
or-tools,google/or-tools,C++,Google's Operations Research tools,885,147,google,Google,Organization,,70104
dex-ui,seenaburns/dex-ui,C++,A science fiction desktop running on Linux. Awesome.,863,50,seenaburns,Seena Burns (nnkd),User,CA,863
ImagePlay,cpvrlab/ImagePlay,C++,ImagePlay is a rapid prototyping application for image processing,862,46,cpvrlab,Computer Perception & Virtual Reality Lab,Organization,Biel/Bienne in Switzerland,862
engine,flutter/engine,C++,The Flutter engine,846,120,flutter,Flutter,Organization,,846
pybind11,wjakob/pybind11,C++,Seamless operability between C++11 and Python,830,50,wjakob,Wenzel Jakob,User,"Zürich, Switzerland",1479
CppCon2015,CppCon/CppCon2015,C++,Presentation Materials from CppCon 2015,812,100,CppCon,CppCon,Organization,,812
android-ndk,googlesamples/android-ndk,C++,Android NDK samples,777,328,googlesamples,Google Samples,Organization,,13082
iotjs,Samsung/iotjs,C++,Platform for Internet of Things with JavaScript http://www.iotjs.net ,763,90,Samsung,Samsung,Organization,,2478
4,4Lang/4,C++,A completely emoji-based programming language,708,52,4Lang,,Organization,,708
veles,Samsung/veles,C++,Distributed machine learning platform,664,126,Samsung,Samsung,Organization,,2478
UniversalPauseButton,ryanries/UniversalPauseButton,C++,A pause button that pauses the unpausable. Handy for video game cut scenes especially.,663,26,ryanries,Ryan Ries,User,Texas,663
libfacedetection,ShiqiYu/libfacedetection,C++,A binary library for face detection in images.,640,245,ShiqiYu,,User,,640
Windows-Driver-Frameworks,Microsoft/Windows-Driver-Frameworks,C++,WDF makes it easy to write high-quality Windows drivers,597,192,Microsoft,Microsoft,Organization,"Redmond, WA",23867
zopfli,google/zopfli,C++,"Zopfli Compression Algorithm is a compression library programmed in C to perform very good, but slow, deflate or zlib compression.",524,64,google,Google,Organization,,70104
sphinx,sphinxsearch/sphinx,C++,Sphinx search server,552,86,sphinxsearch,Sphinx Technologies Inc,Organization,USA,552
kiui,hugoam/kiui,C++,"Auto-layout Ui library, lightweight, skinnable and system agnostic, with an OpenGL backend",552,48,hugoam,Hugo Amnov,User,Europe,552
openvr,ValveSoftware/openvr,C++,OpenVR SDK,536,94,ValveSoftware,Valve Software,Organization,,636
KeeFarce,denandz/KeeFarce,C++,"Extracts passwords from a KeePass 2.x database, directly from memory.",527,85,denandz,DoI,User,"Auckland, New Zealand",527
vnpy,vnpy/vnpy,C++,基于python的开源交易平台开发框架,525,322,vnpy,vn.py,User,Shanghai,525
CppSamples-Samples,sftrabbit/CppSamples-Samples,C++,A repository of modern C++ samples curated by the community.,524,87,sftrabbit,Joseph Mansfield,User,"Edinburgh, United Kingdom",524
glog,google/glog,C++,C++ implementation of the Google logging module,517,232,google,Google,Organization,,70104
QConf,Qihoo360/QConf,C++,Qihoo Distrubuted Configuration Management System,520,159,Qihoo360,Qihoo 360,Organization,"Beijing, China",2937
microsoft-pdb,Microsoft/microsoft-pdb,C++,Information from Microsoft about the PDB format. We'll try to keep this up to date. Just trying to help the CLANG/LLVM community get onto Windows.,485,39,Microsoft,Microsoft,Organization,"Redmond, WA",23867
IEDiagnosticsAdapter,Microsoft/IEDiagnosticsAdapter,C++,IE Diagnostics Adapter is a standalone exe that enables tools to debug and diagnose IE11 using the Chrome remote debug protocol. ,476,26,Microsoft,Microsoft,Organization,"Redmond, WA",23867
x64dbg,x64dbg/x64dbg,C++,An open-source x64/x32 debugger for windows.,460,95,x64dbg,x64dbg,Organization,,460
endless-sky,endless-sky/endless-sky,C++,"Space exploration, trading, and combat game.",460,93,endless-sky,Endless Sky,User,,460
rowhammer-test,google/rowhammer-test,C++,Test DRAM for bit flips caused by the rowhammer problem,443,75,google,Google,Organization,,70104
incubator-singa,apache/incubator-singa,C++,Mirror of Apache Singa (Incubating),435,154,apache,The Apache Software Foundation,Organization,,3728
rDSN,Microsoft/rDSN,C++,Robust Distributed System Nucleus (rDSN) is an open framework for quickly building and managing high performance and robust distributed systems.,426,115,Microsoft,Microsoft,Organization,"Redmond, WA",23867
kythe,google/kythe,C++,"Kythe is a pluggable, (mostly) language-agnostic ecosystem for building tools that work with code.",419,28,google,Google,Organization,,70104
socket.io-client-cpp,socketio/socket.io-client-cpp,C++,C++11 implementation of Socket.IO client,410,82,socketio,Socket.IO,Organization,Automattic,1745
srs,ossrs/srs,C++,"SRS is industrial-strength live streaming cluster, for the best conceptual integrity and the simplest implementation. ",380,179,ossrs,srs-org,Organization,beijing,380
DirectXTK,Microsoft/DirectXTK,C++,The DirectX Tool Kit (aka DirectXTK) is a collection of helper classes for writing DirectX 11.x code in C++,373,90,Microsoft,Microsoft,Organization,"Redmond, WA",23867
EpicSurvivalGameSeries,tomlooman/EpicSurvivalGameSeries,C++,Third person survival game (tutorial) series for Unreal Engine 4.,369,288,tomlooman,Tom Looman,User,Netherlands,369
SUIDGuard,sektioneins/SUIDGuard,C++,SUIDGuard - a TrustedBSD Kernel Extension that adds mitigations to protect SUID/SGID processes a bit more,366,47,sektioneins,SektionEins GmbH,Organization,"Cologne, Germany",366
Dato-Core,dato-code/Dato-Core,C++,The open source core of the GraphLab ML library,365,105,dato-code,,Organization,,588
swift-llvm,apple/swift-llvm,C++,,353,64,apple,Apple,Organization,"Cupertino, CA",34543
vpaint,dalboris/vpaint,C++,Experimental vector graphics and 2D animation editor,354,14,dalboris,Boris Dalstein,User,"Emeryville, CA, United States",354
GacUI,vczh-libraries/GacUI,C++,"GPU Accelerated C++ User Interface, with WYSIWYG developing tools, XML supports, built-in data binding and MVVM features.",342,99,vczh-libraries,Vczh Libraries,Organization,,515
kaldi,kaldi-asr/kaldi,C++,This is now the official location of the Kaldi project.,340,222,kaldi-asr,Kaldi,Organization,,340
caffe-windows,happynear/caffe-windows,C++,Configure Caffe in one hour for Windows users.,341,159,happynear,Feng Wang,User,,341
caffe2,Yangqing/caffe2,C++,This is currently an experimental refactoring of Caffe.,344,75,Yangqing,Yangqing Jia,User,"Mountain View, CA",344
multiverso,Microsoft/multiverso,C++,Parameter server framework for distributed machine learning,342,84,Microsoft,Microsoft,Organization,"Redmond, WA",23867
ACE3,acemod/ACE3,C++,Open-source realism mod for Arma 3,341,272,acemod,ACE Mod,Organization,,341
behaviac,TencentOpen/behaviac,C++,"behaviac is a framework of the game AI development, and it also can be used as a rapid game prototype design tool. behaviac supports the behavior tree, finite state machine and hierarchical task network. Behaviors can be designed and debugged in the designer, exported and executed by the game. The designer can only run on the Windows platforms. The run time library is implemented with C++ and C#, and it supports all major platforms (Windows, Linux, Android, iOS, Unity etc.) and Unity. The C++ version is suitable for the client and server side.",324,154,TencentOpen,,Organization,,324
cpr,whoshuu/cpr,C++,"C++ Requests: Curl for People, a spiritual port of Python Requests (https://github.com/kennethreitz/requests)",324,33,whoshuu,Huu Nguyen,User,,324
libmc,douban/libmc,C++,Fast and light-weight memcached client for C++ / #python / #golang #libmc,317,43,douban,Douban Inc.,Organization,"Beijing, China",539
swift-clang,apple/swift-clang,C++,,309,51,apple,Apple,Organization,"Cupertino, CA",34543
libquic,devsisters/libquic,C++,"QUIC, a multiplexed stream transport over UDP",309,46,devsisters,Devsisters corp.,Organization,,587
comp-cpp,gto76/comp-cpp,C++,Simple 4-bit virtual computer,308,23,gto76,Jure Šorn,User,Ljubljana,447
pbrt-v3,mmp/pbrt-v3,C++,"Source code for pbrt, the renderer described in the third edition of 'Physically Based Rendering: From Theory To Implementation', by Matt Pharr, Greg Humphreys, and Wenzel Jakob.",306,72,mmp,Matt Pharr,User,"San Francisco, CA",306
hyperscan,01org/hyperscan,C++,High-performance regular expression matching library,301,55,01org,,Organization,,3001
cinatra,topcpporg/cinatra,C++,A sinatra inspired modern c++ web framework,299,88,topcpporg,,Organization,,299
EasyOpenCL,Gladdy/EasyOpenCL,C++,The easiest way to get started with OpenCL!,293,14,Gladdy,Martijn Bakker,User,"Cambridge, UK",293
lzham_codec,richgel999/lzham_codec,C++,"Lossless data compression codec with LZMA-like ratios but 1.5x-8x faster decompression speed, C/C++",291,21,richgel999,Rich Geldreich,User,United States,291
atria,Ableton/atria,C++,A toolkit for modern C++ development,289,26,Ableton,,Organization,,289
FunctionalPlus,Dobiasd/FunctionalPlus,C++,helps you write concise and readable C++ code.,290,18,Dobiasd,Tobias Hermann,User,Germany,472
Triton,JonathanSalwan/Triton,C++,"A Pin-based dynamic symbolic execution (DSE) framework. Although Triton is a DSE framework, it also provides internal components like a taint engine, a snapshot engine, translation of x86 and x86-64 instructions into SMT2-LIB, a Z3 interface to solve constraints and, the last but not least, Python bindings.",289,63,JonathanSalwan,Jonathan Salwan,User,France - Paris,289
wormhole,dmlc/wormhole,C++,"Portable, Scalable and Reliable Distributed Machine Learning, support various platforms including Hadoop YARN, MPI, etc.",285,115,dmlc,Distributed (Deep) Machine Learning Community,Organization,,2647
ice,zeroc-ice/ice,C++,"Comprehensive RPC framework with support for C++, C#, Java, JavaScript, Python and more.",283,97,zeroc-ice,ZeroC Ice,Organization,,283
goquic,devsisters/goquic,C++,QUIC support for Go,278,27,devsisters,Devsisters corp.,Organization,,587
android-file-transfer-linux,whoozle/android-file-transfer-linux,C++,Android File Transfer for Linux,273,12,whoozle,Vladimir,User,,273
opensesame,samyk/opensesame,C++,OpenSesame attacks wireless garages and can open most fixed-code garages and gates in seconds using a Mattel toy,273,49,samyk,Samy Kamkar,User,"Los Angeles, California",773
PacketSender,dannagle/PacketSender,C++,A network test utility for sending / receiving TCP and UDP packets,273,54,dannagle,Dan Nagle,User,"Huntsville, AL",273
swift-lldb,apple/swift-lldb,C++,This is the version of LLDB that supports the Swift programming language & REPL.,269,47,apple,Apple,Organization,"Cupertino, CA",34543
libtorrent,arvidn/libtorrent,C++,an efficient feature complete C++ bittorrent implementation,264,78,arvidn,Arvid Norberg,User,New York,264
WebChimera.js,RSATom/WebChimera.js,C++,libvlc binding for node.js/io.js/Node-Webkit/NW.js/Electron,262,28,RSATom,Sergey Radionov,User,"Russia, Tomsk",262
instant-meshes,wjakob/instant-meshes,C++,Instant Meshes,260,35,wjakob,Wenzel Jakob,User,"Zürich, Switzerland",1479
DexHunter,zyq8709/DexHunter,C++,General Automatic Unpacking Tool for Android Dex Files,258,210,zyq8709,,User,,258
opmsg,stealth/opmsg,C++,opmsg message encryption,257,13,stealth,Sebastian,User,Switzerland,257
cerl,qiniu/cerl,C++,CERL2.0 - Erlang Model for C++,257,70,qiniu,七牛云存储,Organization,Shanghai,727
inkSpace,ofZach/inkSpace,C++,android drawing tool,255,36,ofZach,,User,,255
bcc,iovisor/bcc,C++,BPF Compiler Collection,251,40,iovisor,IO Visor Project,Organization,,251
LightQ,LightIO/LightQ,C++,,248,27,LightIO,,Organization,,248
JPSPlusWithGoalBounding,SteveRabin/JPSPlusWithGoalBounding,C++,JPS+ and Goal Bounding,248,33,SteveRabin,,User,,248
swift-llbuild,apple/swift-llbuild,C++,"A low-level build system, used by the Swift Package Manager",248,43,apple,Apple,Organization,"Cupertino, CA",34543
lightlda,Microsoft/lightlda,C++,"Scalable, fast, and lightweight system for large-scale topic modeling",244,71,Microsoft,Microsoft,Organization,"Redmond, WA",23867
pineapple,nwhitehead/pineapple,C++,,242,4,nwhitehead,Nathan Whitehead,User,"Sunnyvale, CA",242
waifu2x-caffe,lltcggie/waifu2x-caffe,C++,waifu2xのCaffe版,240,37,lltcggie,,User,,240
crfasrnn,torrvision/crfasrnn,C++,This repository contains the source code for the semantic image segmentation method described in the ICCV 2015 paper: Conditional Random Fields as Recurrent Neural Networks. http://crfasrnn.torr.vision/,239,99,torrvision,Torr Vision Group,User,"Oxford, United Kingdom",239
idlf,01org/idlf,C++,Intel® Deep Learning Framework,237,58,01org,,Organization,,3001
LearnOpenGL,JoeyDeVries/LearnOpenGL,C++,Code repository of all tutorials found at http://learnopengl.com,232,42,JoeyDeVries,Joey de Vries,User,,232
readxl,hadley/readxl,C++,Read excel files (.xls and .xlsx) into R,231,55,hadley,Hadley Wickham,User,"Houston, TX",474
mybus,liudong1983/mybus,C++,MySQL数据库同redis以及hbase高速全量,增量同步工具,231,65,liudong1983,刘栋,User,北京,231
modern,kennykerr/modern,C++,Modern C++ for the Windows Runtime,230,28,kennykerr,Kenny Kerr,User,,230
yaml-cpp,jbeder/yaml-cpp,C++,A YAML parser and emitter in C++,229,69,jbeder,Jesse Beder,User,,229
purine2,purine/purine2,C++,Purified Purine.,230,85,purine,嘌呤,User,,230
Kaggle_CrowdFlower,ChenglongChen/Kaggle_CrowdFlower,C++,1st Place Solution for Search Results Relevance Competition on Kaggle (https://www.kaggle.com/c/crowdflower-search-relevance),229,95,ChenglongChen,Chenglong Chen,User,"Shenzhen, China",229
dmlc-core,dmlc/dmlc-core,C++,A common code-base for Distributed Machine Learning in C++,228,133,dmlc,Distributed (Deep) Machine Learning Community,Organization,,2647
Stack-RNN,facebook/Stack-RNN,C++,"This is the code used for the paper 'Inferring algorithmic patterns with a stack augmented recurrent network', by Armand Joulin and Tomas Mikolov.",228,29,facebook,Facebook,Organization,"Menlo Park, California",61260
seifnode,paypal/seifnode,C++,,226,9,paypal,PayPal,Organization,"San Jose, CA",1587
SFrame,dato-code/SFrame,C++,"SFrame, SArray, SGraph",223,88,dato-code,,Organization,,588
libgraphqlparser,graphql/libgraphqlparser,C++,A GraphQL query parser in C++ with C and C++ APIs,222,21,graphql,Facebook GraphQL,Organization,"Menlo Park, CA",4721
paracel,douban/paracel,C++,Distributed training framework with parameter server,222,56,douban,Douban Inc.,Organization,"Beijing, China",539
decaf-emu,decaf-emu/decaf-emu,C++,Researching Wii U emulation.,221,31,decaf-emu,decaf-emu,Organization,,221
cat,cat/cat,C++,C++14 functional library,218,12,cat,Nicola Bonelli,User,Italy,218
FlatBuffs,frogermcs/FlatBuffs,C++,Example app showing FlatBuffers implementation in Android,217,49,frogermcs,Mirosław Stanek,User,Cracow,1087
Super-Template-Tetris,mattbierner/Super-Template-Tetris,C++,Tetris as a C++ Template Metaprogram ,215,21,mattbierner,Matt Bierner,User,,215
include-what-you-use,include-what-you-use/include-what-you-use,C++,A tool for use with clang to analyze #includes in C and C++ source files,211,19,include-what-you-use,,Organization,,211
ORB_SLAM,raulmur/ORB_SLAM,C++,A Versatile and Accurate Monocular SLAM,211,150,raulmur,Raul Mur Artal,User,,211
kerf,kevinlawler/kerf,C++,Kerf,211,7,kevinlawler,Kevin Lawler,User,USA,211
zulip-desktop,zulip/zulip-desktop,C++,Zulip desktop app,209,51,zulip,Zulip,Organization,,4404
blynk-library,blynkkk/blynk-library,C++,Libraries for embedded hardware to work with Blynk platform,208,78,blynkkk,Blynk,User,"New York, US – Kiev, Ukraine",374
waifu2x-converter-cpp,WL-Amigo/waifu2x-converter-cpp,C++,waifu2x(original : https://github.com/nagadomi/waifu2x) re-implementation in C++ using OpenCV ,208,40,WL-Amigo,,User,,208
artoolkit5,artoolkit/artoolkit5,C++,ARToolKit v5.x,207,109,artoolkit,ARToolKit,Organization,,207
Client,Proj-Ascension/Client,C++,Client repository for the Project Ascension game launcher.,209,54,Proj-Ascension,Project Ascension,Organization,,209
ITEADLIB_Arduino_WeeESP8266,itead/ITEADLIB_Arduino_WeeESP8266,C++,An easy-to-use Arduino ESP8266 library besed on AT firmware.,206,92,itead,ITEAD Studio,Organization,,206
xbox_one_controller,lloeki/xbox_one_controller,C++,HID-compliant Xbox One Controller driver for OS X,205,6,lloeki,Loic Nageleisen,User,,310
plex-media-player,plexinc/plex-media-player,C++,Next generation Plex Desktop/Embedded Client,199,20,plexinc,Plex,Organization,,199
plv8,plv8/plv8,C++, V8 Engine Javascript Procedural Language add-on for PostgreSQL,197,18,plv8,plv8,Organization,,197
annabell,golosio/annabell,C++,A cognitive neural architecture able to learn and communicate through natural language,195,41,golosio,,User,,195
clstm,tmbdev/clstm,C++,"A small C++ implementation of LSTM networks, focused on OCR.",194,56,tmbdev,Tom,User,,194
cpp11-on-multicore,preshing/cpp11-on-multicore,C++,Various synchronization primitives for multithreaded applications in C++11.,192,24,preshing,Jeff Preshing,User,,192
aws-sdk-cpp,awslabs/aws-sdk-cpp,C++,AWS SDK for C++,192,30,awslabs,Amazon Web Services - Labs,Organization,"Seattle, WA",2991
KlayGE,gongminmin/KlayGE,C++,KlayGE is a cross-platform open source game engine with plugin-based architecture.,191,60,gongminmin,Minmin Gong,User,"Redmond, WA, US",191
TextGrocery,2shou/TextGrocery,C++,A simple short-text classification tool based on LibLinear,189,60,2shou,Gavin Zhang,User,,189
espduino,tuanpmt/espduino,C++,"ESP8266 network client (mqtt, restful) for Arduino",185,70,tuanpmt,Tuan PM,User,"HCMC, Viet Nam",185
helm,mtytel/helm,C++,Helm - a free polyphonic synth with lots of modulation,180,13,mtytel,Matt Tytel,User,"Boston, MA",180
missinghud2,networkMe/missinghud2,C++,Binding of Isaac: Rebirth/Afterbirth Statistics HUD,184,37,networkMe,Trevor Meehl,User,Australia,184
v8-native-prototype,WebAssembly/v8-native-prototype,C++,Prototype native decoder that targets TurboFan,182,26,WebAssembly,WebAssembly,Organization,The Web!,5858
sim,ideawu/sim,C++,Simple C++ network server framework,178,67,ideawu,ideawu,User,"Beijing, China",547
ssf,securesocketfunneling/ssf,C++,Secure Socket Funneling - Network tool and toolkit,178,13,securesocketfunneling,,User,,178
deepdetect,beniz/deepdetect,C++,Deep Learning API and Server in C++11 with Python bindings and support for Caffe,173,33,beniz,Emmanuel Benazera,User,"Toulouse, France",173
fboss,facebook/fboss,C++,"Facebook Open Switching System
Software for controlling network switches.",175,49,facebook,Facebook,Organization,"Menlo Park, California",61260
FFmpegInterop,Microsoft/FFmpegInterop,C++, This is a code sample to make it easier to use FFmpeg in Windows applications.,173,38,Microsoft,Microsoft,Organization,"Redmond, WA",23867
nn,dropbox/nn,C++,Non-nullable pointers for C++,173,9,dropbox,Dropbox,Organization,San Francisco,3557
marvin,PrincetonVision/marvin,C++,Marvin: A Minimalist GPU-only N-Dimensional ConvNets Framework,172,43,PrincetonVision,Princeton Vision Group,Organization,Princeton University,172
redis-cerberus,HunanTV/redis-cerberus,C++,Redis Cluster Proxy,170,40,HunanTV,HunanTV,Organization,ChangSha,170
Sparky,TheCherno/Sparky,C++,The Sparky engine!,167,53,TheCherno,Yan Chernikov,User,"Melbourne, Australia",167
glslang,KhronosGroup/glslang,C++,Khronos reference front-end for GLSL and ESSL,161,40,KhronosGroup,The Khronos Group,Organization,Beaverton OR,161
polyfill-prototype-1,WebAssembly/polyfill-prototype-1,C++,Experimental WebAssembly polyfill library and tools,161,34,WebAssembly,WebAssembly,Organization,The Web!,5858
mod_pagespeed,pagespeed/mod_pagespeed,C++,Apache module for rewriting web pages to reduce latency and bandwidth.,160,26,pagespeed,Google PageSpeed,Organization,,160
rowhammerjs,IAIK/rowhammerjs,C++,Rowhammer.js - A Remote Software-Induced Fault Attack in JavaScript,157,17,IAIK,,Organization,,157
TetrisPlayground,mbrenman/TetrisPlayground,C++,A final project for Advanced Machine Learning. Build bots to play against this Tetris Sandbox!,158,7,mbrenman,Matt Brenman,User,United States,462
tarsnap-gui,Tarsnap/tarsnap-gui,C++,Cross platform GUI for the Tarsnap command line client,157,8,Tarsnap,Tarsnap Backup Inc.,Organization,"Vancouver, Canada",157
nlpcaffe,Russell91/nlpcaffe,C++,natural language processing with Caffe,154,58,Russell91,Russell Stewart,User,,154
LeanClub,typcn/LeanClub,C++,C++ forum system,151,26,typcn,,User,China,1189
nzbget,nzbget/nzbget,C++,Efficient Usenet Downloader,149,21,nzbget,NZBGet,Organization,,149
edb-debugger,eteran/edb-debugger,C++,edb is a cross platform x86/x86-64 debugger.,145,21,eteran,Evan Teran,User,United States,145
OceanProject,UE4-OceanProject/OceanProject,C++,An Ocean Simulation project for Unreal Engine 4,147,88,UE4-OceanProject,,Organization,,147
hexagen,aliceatlas/hexagen,C++,"true coroutines for Swift, and some familiar concurrency abstractions you couldn't implement in Swift until now.",147,3,aliceatlas,Alice Atlas,User,"Brooklyn, NY",147
afl.rs,frewsxcv/afl.rs,C++,Fuzzing Rust code with american-fuzzy-lop,145,7,frewsxcv,Corey Farwell,User,"Mount Pleasant, New York",145
ngx_brotli,google/ngx_brotli,C++,nginx module for Brotli compression,142,4,google,Google,Organization,,70104
elements,ElementsProject/elements,C++,Feature experiments to advance the art of Bitcoin,145,54,ElementsProject,,Organization,,145
darkleaks,darkwallet/darkleaks,C++,Decentralised Information Black Market,145,31,darkwallet,,Organization,,145
basicpp,rollbear/basicpp,C++,BASIC in C++,144,7,rollbear,Björn Fahller,User,Stockholm,144
UIforETW,google/UIforETW,C++,User interface for recording and managing ETW traces,144,17,google,Google,Organization,,70104
open-zwave,OpenZWave/open-zwave,C++,a C++ and DotNet library to control Z-Wave Networks via a Z-Wave Controller. ,142,109,OpenZWave,OpenZWave,Organization,,142
modorganizer,TanninOne/modorganizer,C++,"Mod manager for various PC games (currently: Skyrim, Oblivion, Fallout 3, Fallout NV)",141,16,TanninOne,,User,,141
restbed,Corvusoft/restbed,C++,Corvusoft's Restbed framework brings asynchronous RESTful functionality to C++11 applications.,139,19,Corvusoft,Corvusoft Solutions,Organization,"Scotland, United Kingdom",139
comp-m2,gto76/comp-m2,C++,Simple 4-bit virtual computer,139,10,gto76,Jure Šorn,User,Ljubljana,447
smartdec,smartdec/smartdec,C++,SmartDec decompiler,138,87,smartdec,SmartDec,Organization,Moscow,138
RawTherapee,Beep6581/RawTherapee,C++,A powerful cross-platform raw photo processing program,138,22,Beep6581,Beep6581,User,,138
mozc,google/mozc,C++,Mozc - a Japanese Input Method Editor designed for multi-platform,138,28,google,Google,Organization,,70104
DirectXTex,Microsoft/DirectXTex,C++,DirectXTex texture processing library,137,34,Microsoft,Microsoft,Organization,"Redmond, WA",23867
boinc,BOINC/boinc,C++,Open-source software for volunteer computing and grid computing.,136,55,BOINC,BOINC,Organization,"Berkeley, CA, USA",136
sqlyog-community,webyog/sqlyog-community,C++,,135,35,webyog,Webyog Softworks Pvt Ltd,Organization,,135
scripthookvdotnet,crosire/scripthookvdotnet,C++,"An ASI plugin for Grand Theft Auto V, which allows running scripts written in any .NET language in-game.",134,73,crosire,Patrick Mours,User,Germany,134
ApricityOS,agajews/ApricityOS,C++,"A modern, intuitive operating system for the cloud generation of computing.",134,16,agajews,Alex Gajewski,User,Chicago,134
shaderc,google/shaderc,C++,"A collection of tools, libraries and tests for shader compilation.",133,13,google,Google,Organization,,70104
OpenCL-caffe,amd/OpenCL-caffe,C++,OpenCL version of caffe developed by AMD research lab,133,33,amd,AMD,Organization,,133
zooshi,google/zooshi,C++,Multi-platform game where you feed well dressed animals with sushi,132,12,google,Google,Organization,,70104
apery,HiraokaTakuya/apery,C++,a USI Shogi engine.,133,28,HiraokaTakuya,HiraokaTakuya,User,,133
v8eval,sony/v8eval,C++,Multi-language bindings to JavaScript engine V8,131,7,sony,Sony,Organization,"Minato-ku, Tokyo, Japan",430
jucipp,cppit/jucipp,C++,juCi++ a lightweight C++-IDE with support for C++11 and C++14,131,16,cppit,cppit (zippit),Organization,,131
mkvtoolnix,mbunkus/mkvtoolnix,C++,Creating and working with Matroska files,131,32,mbunkus,Moritz Bunkus,User,"Braunschweig, Germany",131
MetroHash,jandrewrogers/MetroHash,C++,Exceptionally fast and statistically robust hash functions,131,4,jandrewrogers,J. Andrew Rogers,User,Seattle,131
uWho,jwcrawley/uWho,C++,OpenCV based facial recognition and tracker,130,21,jwcrawley,Josh Conway,User,,130
brigand,edouarda/brigand,C++,small and powerful C++ 11 MPL,130,8,edouarda,Edouard A.,User,"Paris, France",130
enkiTS,dougbinks/enkiTS,C++,enki Task Scheduler,129,11,dougbinks,Doug Binks,User,UK / France,129
ekam,sandstorm-io/ekam,C++,Ekam Build System,130,9,sandstorm-io,Sandstorm.io,Organization,,249
PackerAttacker,BromiumLabs/PackerAttacker,C++,C++ application that uses memory and code hooks to detect packers,130,28,BromiumLabs,,Organization,,130
MameAppleTV,kevsmithpublic/MameAppleTV,C++,Mame for tvOS,126,24,kevsmithpublic,,User,,126
FiberTaskingLib,RichieSams/FiberTaskingLib,C++,A library for enabling task-based multi-threading. It allows execution of task graphs with arbitrary dependencies.,127,15,RichieSams,RichieSams,User,,127
XLE,xlgames-inc/XLE,C++,XLE prototype 3D game engine,127,45,xlgames-inc,,Organization,,127
@jaredsburrows
Copy link

@ColinEberhardt Can you remove my information from this? or update the data?

Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment