Built with blockbuilder.org
Credit goes to Ben Clinkinbeard's "Learn D3 in 5 Days" course
This is the finished product of the course.
And here are the notes I took throughout the course:
- Can build d3 visualizations in HTML and / or SVG
- SVG graphics provide resolution independence - looks good anywhere
- SVG graphics do not participate in normal browser layout flow
- D3: Data Driven Documents
- declarative = what, not how
- style, attributes, properties can be defined as functions of data
- returns array of elements
- provid domain and range
- scaleLinear(), e.g.
- Can select by tag name, id, class name
- can be scoped
d3.select('#foo').selectAll('p')
- can be used as getter or setter
- setter version: .attr('name', value)
- value can be a function whose form looks like:
function(d, i, nodes){
}
- d is datum, i is index, nodes is array of nodes in selection
this
is bound to actual DOM element (not true if you use arrow function)
- .classed(names[, value]) - can specify space-separated list of class names
- similar to selection.html (used to set innerHtml)
- Will create a new element and append it to last child of each node in selection
- Can be used to specify placement of where element is appended
selection.on('type', listener)
- The enter() selection represennts data items in need of DOM elements
- key function
- second argument to selection.data
- 'key' to reusing elements instead of deleting them
- without a key function, data is assigned by index
- Data points joined to existing elements produce the UPDATE selection
- Leftover data produce the ENTER selection
- Leftover elements produce the EXIT seletcion
- Have a domain and a range
- d3.scaleX returns a scale function
- REVERSIBLE
- Can swap domain and range OR
- Use the
invert
method
const decimalToPercent = d3.scaleLinear()
.domain([0, 1])
.range([0, 100])
decimalToPercent.invert(50) // 0.5
- There is nothing stopping someone from inputted a value greater than the defined domain
- If you need to limit it, you can call the
clamp
method
const percentToDecimal = d3.scaleLinear()
.domain([0, 100])
.range([0, 1])
.clamp(true)
percentToDecimal(-10) // 0
percentToDecimal(150) // 1
percentToDecimal(200) // 1
- Making your charts fill available space
bandScale
is a good way to calculate width (or height in this case) of bars- domain is set of values that can be coerced to string
- range would be the space you want the chart to take up
- D3 has built-in methods for axes
- Axis consistents of path element with g elements for "ticks"
selection.call
is used to invoke a method and pass the selection to and then return the selection
- SVG's default position is top left
- Need to use transform attribute to position axes
- Reserve margins on sides of chart for axes
- Subtract margins when defining width and height
forked from mell0kat's block: Animated Bar Chart