all da files

This commit is contained in:
jllord
2013-05-27 13:45:59 -07:00
commit 59d3d30afa
6704 changed files with 1954956 additions and 0 deletions

542
js/ICanHaz.js Normal file
View File

@@ -0,0 +1,542 @@
/*!
ICanHaz.js version 0.10 -- by @HenrikJoreteg
More info at: http://icanhazjs.com
*/
(function () {
/*
mustache.js — Logic-less templates in JavaScript
See http://mustache.github.com/ for more info.
*/
var Mustache = function () {
var _toString = Object.prototype.toString;
Array.isArray = Array.isArray || function (obj) {
return _toString.call(obj) == "[object Array]";
}
var _trim = String.prototype.trim, trim;
if (_trim) {
trim = function (text) {
return text == null ? "" : _trim.call(text);
}
} else {
var trimLeft, trimRight;
// IE doesn't match non-breaking spaces with \s.
if ((/\S/).test("\xA0")) {
trimLeft = /^[\s\xA0]+/;
trimRight = /[\s\xA0]+$/;
} else {
trimLeft = /^\s+/;
trimRight = /\s+$/;
}
trim = function (text) {
return text == null ? "" :
text.toString().replace(trimLeft, "").replace(trimRight, "");
}
}
var escapeMap = {
"&": "&",
"<": "&lt;",
">": "&gt;",
'"': '&quot;',
"'": '&#39;'
};
function escapeHTML(string) {
return String(string).replace(/&(?!\w+;)|[<>"']/g, function (s) {
return escapeMap[s] || s;
});
}
var regexCache = {};
var Renderer = function () {};
Renderer.prototype = {
otag: "{{",
ctag: "}}",
pragmas: {},
buffer: [],
pragmas_implemented: {
"IMPLICIT-ITERATOR": true
},
context: {},
render: function (template, context, partials, in_recursion) {
// reset buffer & set context
if (!in_recursion) {
this.context = context;
this.buffer = []; // TODO: make this non-lazy
}
// fail fast
if (!this.includes("", template)) {
if (in_recursion) {
return template;
} else {
this.send(template);
return;
}
}
// get the pragmas together
template = this.render_pragmas(template);
// render the template
var html = this.render_section(template, context, partials);
// render_section did not find any sections, we still need to render the tags
if (html === false) {
html = this.render_tags(template, context, partials, in_recursion);
}
if (in_recursion) {
return html;
} else {
this.sendLines(html);
}
},
/*
Sends parsed lines
*/
send: function (line) {
if (line !== "") {
this.buffer.push(line);
}
},
sendLines: function (text) {
if (text) {
var lines = text.split("\n");
for (var i = 0; i < lines.length; i++) {
this.send(lines[i]);
}
}
},
/*
Looks for %PRAGMAS
*/
render_pragmas: function (template) {
// no pragmas
if (!this.includes("%", template)) {
return template;
}
var that = this;
var regex = this.getCachedRegex("render_pragmas", function (otag, ctag) {
return new RegExp(otag + "%([\\w-]+) ?([\\w]+=[\\w]+)?" + ctag, "g");
});
return template.replace(regex, function (match, pragma, options) {
if (!that.pragmas_implemented[pragma]) {
throw({message:
"This implementation of mustache doesn't understand the '" +
pragma + "' pragma"});
}
that.pragmas[pragma] = {};
if (options) {
var opts = options.split("=");
that.pragmas[pragma][opts[0]] = opts[1];
}
return "";
// ignore unknown pragmas silently
});
},
/*
Tries to find a partial in the curent scope and render it
*/
render_partial: function (name, context, partials) {
name = trim(name);
if (!partials || partials[name] === undefined) {
throw({message: "unknown_partial '" + name + "'"});
}
if (!context || typeof context[name] != "object") {
return this.render(partials[name], context, partials, true);
}
return this.render(partials[name], context[name], partials, true);
},
/*
Renders inverted (^) and normal (#) sections
*/
render_section: function (template, context, partials) {
if (!this.includes("#", template) && !this.includes("^", template)) {
// did not render anything, there were no sections
return false;
}
var that = this;
var regex = this.getCachedRegex("render_section", function (otag, ctag) {
// This regex matches _the first_ section ({{#foo}}{{/foo}}), and captures the remainder
return new RegExp(
"^([\\s\\S]*?)" + // all the crap at the beginning that is not {{*}} ($1)
otag + // {{
"(\\^|\\#)\\s*(.+)\\s*" + // #foo (# == $2, foo == $3)
ctag + // }}
"\n*([\\s\\S]*?)" + // between the tag ($2). leading newlines are dropped
otag + // {{
"\\/\\s*\\3\\s*" + // /foo (backreference to the opening tag).
ctag + // }}
"\\s*([\\s\\S]*)$", // everything else in the string ($4). leading whitespace is dropped.
"g");
});
// for each {{#foo}}{{/foo}} section do...
return template.replace(regex, function (match, before, type, name, content, after) {
// before contains only tags, no sections
var renderedBefore = before ? that.render_tags(before, context, partials, true) : "",
// after may contain both sections and tags, so use full rendering function
renderedAfter = after ? that.render(after, context, partials, true) : "",
// will be computed below
renderedContent,
value = that.find(name, context);
if (type === "^") { // inverted section
if (!value || Array.isArray(value) && value.length === 0) {
// false or empty list, render it
renderedContent = that.render(content, context, partials, true);
} else {
renderedContent = "";
}
} else if (type === "#") { // normal section
if (Array.isArray(value)) { // Enumerable, Let's loop!
renderedContent = that.map(value, function (row) {
return that.render(content, that.create_context(row), partials, true);
}).join("");
} else if (that.is_object(value)) { // Object, Use it as subcontext!
renderedContent = that.render(content, that.create_context(value),
partials, true);
} else if (typeof value == "function") {
// higher order section
renderedContent = value.call(context, content, function (text) {
return that.render(text, context, partials, true);
});
} else if (value) { // boolean section
renderedContent = that.render(content, context, partials, true);
} else {
renderedContent = "";
}
}
return renderedBefore + renderedContent + renderedAfter;
});
},
/*
Replace {{foo}} and friends with values from our view
*/
render_tags: function (template, context, partials, in_recursion) {
// tit for tat
var that = this;
var new_regex = function () {
return that.getCachedRegex("render_tags", function (otag, ctag) {
return new RegExp(otag + "(=|!|>|&|\\{|%)?([^#\\^]+?)\\1?" + ctag + "+", "g");
});
};
var regex = new_regex();
var tag_replace_callback = function (match, operator, name) {
switch(operator) {
case "!": // ignore comments
return "";
case "=": // set new delimiters, rebuild the replace regexp
that.set_delimiters(name);
regex = new_regex();
return "";
case ">": // render partial
return that.render_partial(name, context, partials);
case "{": // the triple mustache is unescaped
case "&": // & operator is an alternative unescape method
return that.find(name, context);
default: // escape the value
return escapeHTML(that.find(name, context));
}
};
var lines = template.split("\n");
for(var i = 0; i < lines.length; i++) {
lines[i] = lines[i].replace(regex, tag_replace_callback, this);
if (!in_recursion) {
this.send(lines[i]);
}
}
if (in_recursion) {
return lines.join("\n");
}
},
set_delimiters: function (delimiters) {
var dels = delimiters.split(" ");
this.otag = this.escape_regex(dels[0]);
this.ctag = this.escape_regex(dels[1]);
},
escape_regex: function (text) {
// thank you Simon Willison
if (!arguments.callee.sRE) {
var specials = [
'/', '.', '*', '+', '?', '|',
'(', ')', '[', ']', '{', '}', '\\'
];
arguments.callee.sRE = new RegExp(
'(\\' + specials.join('|\\') + ')', 'g'
);
}
return text.replace(arguments.callee.sRE, '\\$1');
},
/*
find `name` in current `context`. That is find me a value
from the view object
*/
find: function (name, context) {
name = trim(name);
// Checks whether a value is thruthy or false or 0
function is_kinda_truthy(bool) {
return bool === false || bool === 0 || bool;
}
var value;
// check for dot notation eg. foo.bar
if (name.match(/([a-z_]+)\./ig)) {
var childValue = this.walk_context(name, context);
if (is_kinda_truthy(childValue)) {
value = childValue;
}
} else {
if (is_kinda_truthy(context[name])) {
value = context[name];
} else if (is_kinda_truthy(this.context[name])) {
value = this.context[name];
}
}
if (typeof value == "function") {
return value.apply(context);
}
if (value !== undefined) {
return value;
}
// silently ignore unkown variables
return "";
},
walk_context: function (name, context) {
var path = name.split('.');
// if the var doesn't exist in current context, check the top level context
var value_context = (context[path[0]] != undefined) ? context : this.context;
var value = value_context[path.shift()];
while (value != undefined && path.length > 0) {
value_context = value;
value = value[path.shift()];
}
// if the value is a function, call it, binding the correct context
if (typeof value == "function") {
return value.apply(value_context);
}
return value;
},
// Utility methods
/* includes tag */
includes: function (needle, haystack) {
return haystack.indexOf(this.otag + needle) != -1;
},
// by @langalex, support for arrays of strings
create_context: function (_context) {
if (this.is_object(_context)) {
return _context;
} else {
var iterator = ".";
if (this.pragmas["IMPLICIT-ITERATOR"]) {
iterator = this.pragmas["IMPLICIT-ITERATOR"].iterator;
}
var ctx = {};
ctx[iterator] = _context;
return ctx;
}
},
is_object: function (a) {
return a && typeof a == "object";
},
/*
Why, why, why? Because IE. Cry, cry cry.
*/
map: function (array, fn) {
if (typeof array.map == "function") {
return array.map(fn);
} else {
var r = [];
var l = array.length;
for(var i = 0; i < l; i++) {
r.push(fn(array[i]));
}
return r;
}
},
getCachedRegex: function (name, generator) {
var byOtag = regexCache[this.otag];
if (!byOtag) {
byOtag = regexCache[this.otag] = {};
}
var byCtag = byOtag[this.ctag];
if (!byCtag) {
byCtag = byOtag[this.ctag] = {};
}
var regex = byCtag[name];
if (!regex) {
regex = byCtag[name] = generator(this.otag, this.ctag);
}
return regex;
}
};
return({
name: "mustache.js",
version: "0.4.0",
/*
Turns a template and view into HTML
*/
to_html: function (template, view, partials, send_fun) {
var renderer = new Renderer();
if (send_fun) {
renderer.send = send_fun;
}
renderer.render(template, view || {}, partials);
if (!send_fun) {
return renderer.buffer.join("\n");
}
}
});
}();
/*!
ICanHaz.js -- by @HenrikJoreteg
*/
/*global */
(function () {
function trim(stuff) {
if (''.trim) return stuff.trim();
else return stuff.replace(/^\s+/, '').replace(/\s+$/, '');
}
var ich = {
VERSION: "0.10",
templates: {},
// grab jquery or zepto if it's there
$: (typeof window !== 'undefined') ? window.jQuery || window.Zepto || null : null,
// public function for adding templates
// can take a name and template string arguments
// or can take an object with name/template pairs
// We're enforcing uniqueness to avoid accidental template overwrites.
// If you want a different template, it should have a different name.
addTemplate: function (name, templateString) {
if (typeof name === 'object') {
for (var template in name) {
this.addTemplate(template, name[template]);
}
return;
}
if (ich[name]) {
console.error("Invalid name: " + name + ".");
} else if (ich.templates[name]) {
console.error("Template \"" + name + " \" exists");
} else {
ich.templates[name] = templateString;
ich[name] = function (data, raw) {
data = data || {};
var result = Mustache.to_html(ich.templates[name], data, ich.templates);
return (ich.$ && !raw) ? ich.$(result) : result;
};
}
},
// clears all retrieval functions and empties cache
clearAll: function () {
for (var key in ich.templates) {
delete ich[key];
}
ich.templates = {};
},
// clears/grabs
refresh: function () {
ich.clearAll();
ich.grabTemplates();
},
// grabs templates from the DOM and caches them.
// Loop through and add templates.
// Whitespace at beginning and end of all templates inside <script> tags will
// be trimmed. If you want whitespace around a partial, add it in the parent,
// not the partial. Or do it explicitly using <br/> or &nbsp;
grabTemplates: function () {
var i,
scripts = document.getElementsByTagName('script'),
script,
trash = [];
for (i = 0, l = scripts.length; i < l; i++) {
script = scripts[i];
if (script && script.innerHTML && script.id && (script.type === "text/html" || script.type === "text/x-icanhaz")) {
ich.addTemplate(script.id, trim(script.innerHTML));
trash.unshift(script);
}
}
for (i = 0, l = trash.length; i < l; i++) {
trash[i].parentNode.removeChild(trash[i]);
}
}
};
// Use CommonJS if applicable
if (typeof require !== 'undefined') {
module.exports = ich;
} else {
// else attach it to the window
window.ich = ich;
}
if (typeof document !== 'undefined') {
if (ich.$) {
ich.$(function () {
ich.grabTemplates();
});
} else {
document.addEventListener('DOMContentLoaded', function () {
ich.grabTemplates();
}, true);
}
}
})();
})();

7026
js/d3.js vendored Normal file

File diff suppressed because it is too large Load Diff

2
js/jquery.js vendored Normal file

File diff suppressed because one or more lines are too long

751
js/sheetsee.js Normal file
View File

@@ -0,0 +1,751 @@
function exportFunctions(exports) {
// // // // // // // // // // // // // // // // // // // // // // // // // //
//
// // // Make Table, Sort and Filter Interactions
//
// // // // // // // // // // // // // // // // // // // // // // // // // //
function initiateTableFilter(data, filterDiv, tableDiv) {
$('.clear').on("click", function() {
console.log(this)
$(this.id + ".noMatches").css("visibility", "hidden")
$(this.id + filterDiv).val("")
makeTable(data, tableDiv)
})
$(filterDiv).keyup(function(e) {
var text = $(e.target).val()
searchTable(data, text, tableDiv)
})
}
function searchTable(data, searchTerm, tableDiv) {
var filteredList = []
data.forEach(function(object) {
var stringObject = JSON.stringify(object).toLowerCase()
if (stringObject.match(searchTerm)) filteredList.push(object)
})
// if ($('#tableFilter').val("")) makeTable(data, tableDiv)
if (filteredList.length === 0) {
console.log("no matchie")
$(".noMatches").css("visibility", "inherit")
makeTable("no matches", tableDiv)
}
else $(".noMatches").css("visibility", "hidden")
makeTable(filteredList, tableDiv)
return filteredList
}
function sortThings(data, sorter, sorted, tableDiv) {
data.sort(function(a,b){
if (a[sorter]<b[sorter]) return -1
if (a[sorter]>b[sorter]) return 1
return 0
})
if (sorted === "descending") data.reverse()
makeTable(data, tableDiv)
var header
$(tableDiv + " .tHeader").each(function(i, el){
var contents = resolveDataTitle($(el).text())
if (contents === sorter) header = el
})
$(header).attr("data-sorted", sorted)
}
function resolveDataTitle(string) {
var adjusted = string.toLowerCase().replace(/\s/g, '').replace(/\W/g, '')
return adjusted
}
function sendToSort(event) {
var tableDiv = "#" + $(event.target).closest("div").attr("id")
console.log("came from this table",tableDiv)
// var dataset = $(tableDiv).attr('dataset')
// console.log("made with this data", dataset, typeof dataset)
var sorted = $(event.target).attr("data-sorted")
if (sorted) {
if (sorted === "descending") sorted = "ascending"
else sorted = "descending"
}
else { sorted = "ascending" }
var sorter = resolveDataTitle(event.target.innerHTML)
sortThings(gData, sorter, sorted, tableDiv)
}
$(document).on("click", ".tHeader", sendToSort)
function makeTable(data, targetDiv) {
var templateID = targetDiv.replace("#", "")
var tableContents = ich[templateID]({
rows: data
})
$(targetDiv).html(tableContents)
}
// // // // // // // // // // // // // // // // // // // // // // // // // //
//
// // // Sorting, Ordering Data
//
// // // // // // // // // // // // // // // // // // // // // // // // // //
function getGroupCount(data, groupTerm) {
var group = []
data.forEach(function (d) {
if (d.status.match(groupTerm)) group.push(d)
})
return group.length
if (group = []) return "0"
}
function getColumnTotal(data, column){
var total = []
data.forEach(function (d) {
if (d[column] === "") return
total.push(+d[column])
})
return total.reduce(function(a,b) {
return a + b
})
}
function getColumnAverage(data, column) {
var total = getColumnTotal(data, column)
var average = total / data.length
return average
}
function getMax(data, column){
var result = []
data.forEach(function (element){
if (result.length === 0) return result.push(element)
else {
if (element[column].valueOf() > result[0][column].valueOf()) {
result.length = 0
return result.push(element)
}
if (element[column].valueOf() === result[0][column].valueOf()) {
return result.push(element)
}
}
})
return result
}
function getMin(data, column){
var result = []
data.forEach(function (element){
if (result.length === 0) return result.push(element)
else {
if (element[column].valueOf() < result[0][column].valueOf()) {
result.length = 0
return result.push(element)
}
if (element[column].valueOf() === result[0][column].valueOf()) {
return result.push(element)
}
}
})
return result
}
// out of the data, filter something from a category
function getMatches(data, filter, category) {
var matches = []
data.forEach(function (element) {
if (category === 'rowNumber') {
var projectType = element[category].toString()
if (projectType === filter) matches.push(element)
}
else {
var projectType = element[category].toLowerCase()
if (projectType === filter.toLowerCase()) matches.push(element)
}
})
return matches
}
function mostFrequent(data, category) {
var count = {}
for (var i = 0; i < data.length; i++) {
if (!count[data[i][category]]) {
count[data[i][category]] = 0
}
count[data[i][category]]++
}
var sortable = []
for (var category in count) {
sortable.push([category, count[category]])
}
sortable.sort(function(a, b) {return b[1] - a[1]})
return sortable
// returns array of arrays, in order
}
// thank you! http://james.padolsey.com/javascript/deep-copying-of-objects-and-arrays/
function deepCopy(obj) {
if (Object.prototype.toString.call(obj) === '[object Array]') {
var out = [], i = 0, len = obj.length;
for ( ; i < len; i++ ) {
out[i] = arguments.callee(obj[i]);
}
return out;
}
if (typeof obj === 'object') {
var out = {}, i;
for ( i in obj ) {
out[i] = arguments.callee(obj[i]);
}
return out;
}
return obj;
}
function addUnitsLabels(arrayObj, oldLabel, oldUnits) {
var newArray = deepCopy(arrayObj)
for (var i = 0; i < newArray.length; i++) {
newArray[i].label = newArray[i][oldLabel]
newArray[i].units = newArray[i][oldUnits]
delete newArray[i][oldLabel]
delete newArray[i][oldUnits]
}
return newArray
}
function getOccurance(data, category) {
var occuranceCount = {}
for (var i = 0; i < data.length; i++) {
if (!occuranceCount[data[i][category]]) {
occuranceCount[data[i][category]] = 0
}
occuranceCount[data[i][category]]++
}
return occuranceCount
// returns object, keys alphabetical
}
function makeColorArrayOfObject(data, colors) {
var keys = Object.keys(data)
var counter = 1
var colorIndex
return keys.map(function(key){
if (keys.length > colors.length || keys.length <= colors.length ) {
colorIndex = counter % colors.length
}
var h = {label: key, units: data[key], hexcolor: colors[colorIndex]}
counter++
colorIndex = counter
return h
})
}
function makeArrayOfObject(data) {
var keys = Object.keys(data)
return keys.map(function(key){
// var h = {label: key, units: data[key], hexcolor: "#FDBDBD"}
var h = {label: key, units: data[key]}
return h
})
}
// // // // // // // // // // // // // // // // // // // // // // // // //
//
// // // // Mapbox + Leaflet Map
//
// // // // // // // // // // // // // // // // // // // // // // // // //
function buildOptionObject(optionsJSON, lineItem) {
var newObj = {}
optionsJSON.forEach(function(option) {
newObj[option] = lineItem[option]
})
return newObj
}
// for geocoding: http://mapbox.com/tilemill/docs/guides/google-docs/#geocoding
// create geoJSON from your spreadsheet's coordinates
function createGeoJSON(data, optionsJSON) {
var geoJSON = []
data.forEach(function(lineItem){
if (optionsJSON) var optionObj = buildOptionObject(optionsJSON, lineItem)
var feature = {
type: 'Feature',
"geometry": {"type": "Point", "coordinates": [lineItem.long, lineItem.lat]},
"properties": {
"marker-size": "small",
"marker-color": lineItem.hexcolor
},
"opts": optionObj,
}
geoJSON.push(feature)
})
return geoJSON
}
// load basic map with tiles
function loadMap(mapDiv) {
var map = L.mapbox.map(mapDiv)
// map.setView(, 4)
// map.addLayer(L.tileLayer('http://{s}.tile.stamen.com/toner/{z}/{x}/{y}.png'))
map.touchZoom.disable()
map.doubleClickZoom.disable()
map.scrollWheelZoom.disable()
return map
}
function addTileLayer(map, tileLayer) {
var layer = L.mapbox.tileLayer(tileLayer)
layer.addTo(map)
}
function addMarkerLayer(geoJSON, map, zoomLevel) {
var viewCoords = [geoJSON[0].geometry.coordinates[1], geoJSON[0].geometry.coordinates[0]]
var markerLayer = L.mapbox.markerLayer(geoJSON)
markerLayer.setGeoJSON(geoJSON)
map.setView(viewCoords, zoomLevel)
// map.fitBounds(geoJSON)
markerLayer.addTo(map)
return markerLayer
}
// moved to be used on the .html page for now
// until I find a better way for users to pass in their
// customized popup html styles
// function addPopups(map, markerLayer, popupContent) {
// markerLayer.on('click', function(e) {
// var feature = e.layer.feature
// var popupContent = '<h2>' + feature.opts.city + '</h2>' +
// '<h3>' + feature.opts.placename + '</h3>'
// e.layer.bindPopup(popupContent,{closeButton: false,})
// })
// }
// // // // // // // // // // // // // // // // // // // // // // // // //
//
// // // // // D3 Charts
//
// // // // // // // // // // // // // // // // // // // // // // // // //
// Bar Chart
// Adapted mostly from http://bl.ocks.org/mbostock/3885705
function d3BarChart(data, options) {
// m = [t0, r1, b2, l3]
var m = options.m,
w = options.w - m[1] - m[3],
h = options.h - (m[0] + m[2])
var format = d3.format(",.0f")
var x = d3.scale.linear().range([0, w]),
y = d3.scale.ordinal().rangeRoundBands([0, h], .1)
var xAxis = d3.svg.axis().scale(x).orient("top").tickSize(-h).tickFormat(d3.format("1s")),
yAxis = d3.svg.axis().scale(y).orient("left").tickSize(0)
var svg = d3.select(options.div).append("svg")
.attr("width", w + m[1] + m[3])
.attr("height", h + m[0] + m[2])
.append("g")
.attr("transform", "translate(" + m[3] + "," + m[0] + ")")
x.domain([0, d3.max(data, function(d) { return d.units })]) // 0 to max of units
y.domain(data.map(function(d) { return d.label })) // makes array of labels
var mouseOver = function() {
var rect = d3.select(this)
var indexValue = rect.attr("index_value")
var barSelector = "." + "rect-" + indexValue
var selectedBar = d3.selectAll(barSelector)
selectedBar.style("fill", options.hiColor)
var valueSelector = "." + "value-" + indexValue
var selectedValue = d3.selectAll(valueSelector)
selectedValue.style("fill", options.hiColor)
var textSelector = "." + "labels-" + indexValue
var selectedText = d3.selectAll(textSelector)
selectedText.style("fill", options.hiColor)
}
var mouseOut = function() {
var rect = d3.select(this)
var indexValue = rect.attr("index_value")
var barSelector = "." + "rect-" + indexValue
var selectedBar = d3.selectAll(barSelector)
selectedBar.style("fill", function(d) { return d.hexcolor})
var valueSelector = "." + "value-" + indexValue
var selectedValue = d3.selectAll(valueSelector)
selectedValue.style("fill", "#333333")
var textSelector = "." + "labels-" + indexValue
var selectedText = d3.selectAll(textSelector)
selectedText.style("fill", "#333")
}
var bar = svg.selectAll("g.bar")
.data(data)
.enter().append("g")
.attr("class", "bar")
.attr("transform", function(d) { return "translate(0," + y(d.label) + ")" })
bar.append("text")
.attr("x", function(d) { return x(d.units) })
.attr("y", y.rangeBand() / 2)
.attr("dx", 12)
.attr("dy", ".35em")
.attr("text-anchor", "end")
.attr("index_value", function(d, i) { return "index-" + i })
.text(function(d) { return format(d.units) })
.attr("class", function(d, i) { return "value-" + "index-" + i })
.on('mouseover', mouseOver)
.on("mouseout", mouseOut)
bar.append("text")
.attr("x", -5)
.attr("y", y.rangeBand() / 2)
.attr("dx", 0)
.attr("dy", ".35em")
.attr("text-anchor", "end")
.attr("index_value", function(d, i) { return "index-" + i })
.text(function(d) { return d.label })
.attr("class", function(d, i) { return "value-" + "index-" + i })
.on('mouseover', mouseOver)
.on("mouseout", mouseOut)
bar.append("rect")
.attr("width", function(d) { return x(d.units)})
.attr("height", y.rangeBand())
.attr("index_value", function(d, i) { return "index-" + i })
.style("fill", function(d) { return d.hexcolor})
.on('mouseover', mouseOver)
.on("mouseout", mouseOut)
.attr("class", function(d, i) { return "rect-" + "index-" + i })
svg.append("g")
.attr("class", "x axis")
.call(xAxis)
.append("text")
// .attr("transform", "rotate(-90)")
.attr("y", -20)
.attr("x", m[1])
.attr("class", "xLabel")
.style("text-anchor", "end")
.text(function() {
if (options.xaxis) return options.xaxis
return
})
d3.select("input").on("change", change)
function change() {
// Copy-on-write since in betweens are evaluated after a delay.
var y0 = y.domain(data.sort(this.checked
? function(a, b) { return b.units - a.units }
: function(a, b) { return d3.ascending(a.label, b.label) })
.map(function(d) { return d.label }))
.copy()
var transition = svg.transition().duration(750),
delay = function(d, i) { return i * 50 }
transition.selectAll(".bar")
.delay(delay)
.attr("transform", function(d) { return "translate(0," + y(d.label) + ")" })
}
}
// Pie Chart
function d3PieChart(data, options) {
var width = options.w,
height = options.h,
radius = Math.min(width, height) / 2.3
var arc = d3.svg.arc()
.outerRadius(radius - 10)
.innerRadius(0)
var arcOver = d3.svg.arc()
.outerRadius(radius + .1)
var pie = d3.layout.pie()
.sort(null)
.value(function(d) { return d.units })
var svg = d3.select(options.div).append("svg")
.attr("width", width)
.attr("height", height)
.append("g")
.attr("transform", "translate(" + width / 3 + "," + height / 2 + ")")
var data = data
data.forEach(function(d) {
d.units = +d.units
})
function mouseOver(d) {
d3.select(this).select("path").transition()
.duration(500)
.attr("d", arcOver)
var slice = d3.select(this)
var indexValue = slice.attr("index_value")
var pathSelector = "." + "path-" + indexValue
var selectedPath = d3.selectAll(pathSelector)
selectedPath.style("fill", options.hiColor)
var textSelector = "." + "labels-" + indexValue
var selectedText = d3.selectAll(textSelector)
selectedText.transition()
.duration(150)
.style("font-size", "12px").style("font-weight", "bold").style("fill", options.hiColor)
selectedText.attr("class", function(d, i) { return "labels-" + indexValue + " bigg" })
}
function mouseOut(d) {
d3.select(this).select("path").transition()
.duration(150)
.attr("d", arc)
var slice = d3.select(this)
var indexValue = slice.attr("index_value")
var pathSelector = "." + "path-" + indexValue
var selectedPath = d3.selectAll(pathSelector)
selectedPath.style("fill", function(d) { return d.data.hexcolor })
var textSelector = "." + "labels-" + indexValue
var selectedText = d3.selectAll(textSelector)
selectedText.transition()
.duration(200)
.style("font-size", "10px").style("font-weight", "normal").style("fill", function(d) { return d.hexcolor })
}
var g = svg.selectAll(".arc")
.data(pie(data))
.enter().append("g")
.attr("index_value", function(d, i) { return "index-" + i })
.attr("class", function(d, i) { return "slice-" + "index-" + i + " slice arc" })
.on("mouseover", mouseOver)
.on("mouseout", mouseOut)
var path = g.append("path")
.attr("d", arc)
.attr("index_value", function(d, i) { return "index-" + i })
.attr("class", function(d, i) { return "path-" + "index-" + i })
.style("fill", function(d) { return d.data.hexcolor})
.attr("fill", function(d) { return d.data.hexcolor})
// g.append("text")
// .attr("transform", function(d) { return "translate(" + arc.centroid(d) + ")" })
// .attr("dy", ".35em")
// .attr("dx", ".35em")
// .attr("class", "pieTip")
// .style("text-anchor", "middle")
// .text(function(d) { return d.data.units })
// var labelr = radius + 8 // radius for label anchor
// g.append("text")
// .attr("transform", function(d) {
// var c = arc.centroid(d),
// x = c[0],
// y = c[1],
// // pythagorean theorem for hypotenuse
// h = Math.sqrt(x*x + y*y)
// return "translate(" + (x/h * labelr) + ',' +
// (y/h * labelr) + ")"
// })
// .attr("dy", ".35em")
// .attr("fill", "#333")
// .attr("class", "pieTip")
// .attr("text-anchor", function(d) {
// // are we past the center?
// return (d.endAngle + d.startAngle)/2 > Math.PI ?
// "end" : "start"
// })
// .text(function(d) { return d.data.units })
// svg.selectAll("rect")
// .data(data)
// .enter().append("g")
// .append("rect")
// .attr("width", 100)
// .attr("height", 26)
// .attr("fill", function(d) { return d.hexcolor })
// .attr("x", 0)
// .attr("y", "-140px") // Controls padding to place text above bars
svg.selectAll("g.labels")
.data(data)
.enter().append("g") // Append legend elements
.append("text")
.attr("text-anchor", "start")
.attr("x", width / 2.5)
.attr("y", function(d, i) { return data.length + i*(data.length * 2)})
.attr("dx", 0)
.attr("dy", "-140px") // Controls padding to place text above bars
.text(function(d) { return d.label + ", " + d.units})
.style("fill", function(d) { return d.hexcolor })
.attr("index_value", function(d, i) { return "index-" + i })
.attr("class", function(d, i) { return "labels-" + "index-" + i + " aLabel "})
.on('mouseover', mouseOver)
.on("mouseout", mouseOut)
d3.select("input").on("change", change)
function change() {
console.log("checked/unchecked")
// Copy-on-write since in betweens are evaluated after a delay.
// pie.sort(function(a, b) { return b.units - a.units })
path = path.data(pie(data).sort(function(a, b) { return b.units - a.units; })); // update the data
path.attr("d", arc)
// path.transition().duration(750).attrTween("d", arcTween)
// var pie = d3.layout.pie()
// .sort(null)
// .value(function(d) { return d.units })
// function change() {
// clearTimeout(timeout);
// path = path.data(pie(dataset[this.value])); // update the data
// path.attr("d", arc); // redraw the arcs
// }
function arcTween(a) {
var i = d3.interpolate(this._current, a);
this._current = i(0);
return function(t) {
return arc(i(t));
};
}
var transition = svg.transition().duration(750),
delay = function(d, i) { return i * 50 }
transition.selectAll(".path")
.delay(delay)
}
}
// Line Chart
function d3LineChart(data, options){
// Adapted from http://bl.ocks.org/1166403 and
// http://www.d3noob.org/2013/01/adding-tooltips-to-d3js-graph.html
var m = options.m
var w = options.w - m[1] - m[3]
var h = options.h - m[0] - m[2]
var data = data
var x = d3.scale.ordinal().rangeRoundBands([0, w], 1)
x.domain(data.map(function(d) { return d.label }))
var y = d3.scale.linear().range([0, h])
y.domain([d3.max(data, function(d) { return d.units }) + 2, 0])
var line = d3.svg.line()
.x(function(d, i) { return x(i) })
.y(function(d) { return y(d) })
var graph = d3.select(options.div).append("svg:svg")
.attr("width", w + m[1] + m[3])
.attr("height", h + m[0] + m[2])
.append("svg:g")
.attr("transform", "translate(" + m[3] + "," + m[0] + ")")
var div = d3.select(options.div).append("div")
.attr("class", "tooltip")
.style("opacity", 0)
// create yAxis
var xAxis = d3.svg.axis().scale(x).tickSize(-h).tickSubdivide(true)
// Add the x-axis.
graph.append("svg:g")
.attr("class", "x axis")
.attr("transform", "translate(0," + h + ")")
.call(xAxis)
.selectAll("text")
.style("text-anchor", "end")
.attr("dy", "-.5em")
.attr('dx', "-1em")
.attr("transform", "rotate(-80)")
.call(xAxis)
// create left yAxis
var yAxisLeft = d3.svg.axis().scale(y).ticks(4).tickSize(-w).tickSubdivide(true).orient("left")
// Add the y-axis to the left
graph.append("svg:g")
.attr("class", "y axis")
.attr("dx", "25")
.attr("transform", "translate(0,0)")
.call(yAxisLeft)
.append("text")
.attr("transform", "rotate(-90)")
.attr("y", -40)
.attr("dy", 0)
.style("text-anchor", "end")
.text(function() {
if (options.yaxis) return options.yaxis
return
})
var lineData = data.map(function(d) { return d.units })
graph.append("svg:path")
.attr("d", line(lineData))
.attr("class", "chartLine")
.attr("index_value", function(d, i) { return i })
// .attr("stroke", options.hiColor).attr("fill", "none")
graph.selectAll("dot")
.data(data)
.enter().append("circle")
.attr("r", 3.5)
.attr("fill", options.hiColor)
.attr("cx", function(d) { return x(d.label); })
.attr("cy", function(d) { return y(d.units); })
.on("mouseover", function(d) {
div.transition().duration(200).style("opacity", .9)
div .html(d.label + ", " + d.units)
.style("left", (d3.event.pageX) + "px")
.style("top", (d3.event.pageY - 28) + "px")
})
.on("mouseout", function(d) {
div.transition().duration(500).style("opacity", 0)
})
}
// tables
exports.searchTable = searchTable
exports.initiateTableFilter = initiateTableFilter
exports.makeTable = makeTable
exports.sendToSort = sendToSort
exports.resolveDataTitle = resolveDataTitle
exports.sortThings = sortThings
// charts
exports.d3LineChart = d3LineChart
exports.d3PieChart = d3PieChart
exports.d3BarChart = d3BarChart
// maps
exports.createGeoJSON = createGeoJSON
// exports.addPopups = addPopups
exports.addMarkerLayer = addMarkerLayer
exports.addTileLayer = addTileLayer
exports.loadMap = loadMap
// data
exports.makeArrayOfObject = makeArrayOfObject
exports.makeColorArrayOfObject = makeColorArrayOfObject
exports.mostFrequent = mostFrequent
exports.addUnitsLabels = addUnitsLabels
exports.getOccurance = getOccurance
exports.getMatches = getMatches
exports.getGroupCount = getGroupCount
exports.getColumnTotal = getColumnTotal
exports.getMax = getMax
exports.getMin = getMin
exports.getColumnAverage = getColumnAverage
}
var Sheetsee = {}
exportFunctions(Sheetsee)