ggthemesGoal: by the end of this lab, you will be able to use colorbrewer and ggthemes to customize the look of your visualization.
For this lab, we’re going to be using the ToothGrowth dataset, which is one of the example datasets included in R. It contains data on how fast guinea pigs’ teeth grow if you give them vitamin C supplements in various forms and at various doses. You can learn more about this dataset by typing ?ToothGrowth at the console.
Let’s take a look:
head(ToothGrowth)## len supp dose
## 1 4.2 VC 0.5
## 2 11.5 VC 0.5
## 3 7.3 VC 0.5
## 4 5.8 VC 0.5
## 5 6.4 VC 0.5
## 6 10.0 VC 0.5
summary(ToothGrowth)## len supp dose
## Min. : 4.20 OJ:30 Min. :0.500
## 1st Qu.:13.07 VC:30 1st Qu.:0.500
## Median :19.25 Median :1.000
## Mean :18.81 Mean :1.167
## 3rd Qu.:25.27 3rd Qu.:2.000
## Max. :33.90 Max. :2.000
Hmm… the dose column looks a little funny. There are only three doseage values [0.5,1,2], but R is interpreting them as continuous. We can tell R that we want to convert them to categories (a.k.a. factors) using dplyr like this:
library(dplyr)
ToothGrowth <- ToothGrowth %>%
mutate(dose = factor(dose))Now let’s look again:
summary(ToothGrowth)## len supp dose
## Min. : 4.20 OJ:30 0.5:20
## 1st Qu.:13.07 VC:30 1 :20
## Median :19.25 2 :20
## Mean :18.81
## 3rd Qu.:25.27
## Max. :33.90
Much better! Now let’s draw a graph.
ggplotRemember the basic recipe for building a plot with ggplot2? Don’t forget to load the library!
ToothGrowth data, with x = dose, y = len, and fill = dose.myPlot.# Put your code hereThe default colors R selects are okay, but maybe we can do better. Let’s try using colors from the Smith College official Color Palette. We can specify the color values we want using scale_fill_manual() like this:
myPlot + scale_fill_manual(values = c("#004f71", "#465a01", "#981d97"))
RColorBrewerThat looks pretty nice, but we could spend an awful lot of time making tiny tweaks to color palettes. Luckily Cynthia Brewer over at ColorBrewer has come up with some really good ones we can borrow! Let’s load the RColorBrewer library and check it out. Note: you might need to install.packages('RColorBrewer') if you’re running R on your laptop.
library(RColorBrewer)
display.brewer.all()
Ooh, so many choices! We can now use these palettes along with scale_fill_brewer() to make perceptually-optimized plots:
myPlot + scale_fill_brewer(palette = "Set3")
That looks a little bit… Valentine-y?

# Put your code hereggthemesIf we want even more control, we can use the ggthemes package to define not only the color palette, but the overall style of the plot as well. For example, if we want the minic the style used by the graphic design team at The Economist, we could say:
library(ggthemes)
myPlot + theme_economist() + scale_fill_economist()
Notice how the background changed colors, the axes were re-styled, and the legend changed positions? You can read more about available ggthemes and scales here.