Lyn*_*akr 9 r ggplot2 facet-grid
假设我有以下数据框:
# Set seed for RNG
set.seed(33550336)
# Create toy data frame
loc_x <- c(a = 1, b = 2, c = 3)
loc_y <- c(a = 3, b = 2, c = 1)
scaling <- c(temp = 100, sal = 10, chl = 1)
df <- expand.grid(loc_name = letters[1:3],
variables = c("temp", "sal", "chl"),
season = c("spring", "autumn")) %>%
mutate(loc_x = loc_x[loc_name],
loc_y = loc_y[loc_name],
value = runif(nrow(.)),
value = value * scaling[variables])
Run Code Online (Sandbox Code Playgroud)
看起来像,
# > head(df)
# loc_name variables season loc_x loc_y value
# 1 a temp spring 1 3 86.364697
# 2 b temp spring 2 2 35.222573
# 3 c temp spring 3 1 52.574082
# 4 a sal spring 1 3 0.667227
# 5 b sal spring 2 2 3.751383
# 6 c sal spring 3 1 9.197086
Run Code Online (Sandbox Code Playgroud)
我想使用variables和season定义面板在分面网格中绘制这些数据,如下所示:
g <- ggplot(df) + geom_point(aes(x = loc_name, y = value), size = 5)
g <- g + facet_grid(variables ~ season)
g
Run Code Online (Sandbox Code Playgroud)
正如你所看到的,不同的variables有非常不同的尺度。所以,我习惯于scales = "free"解释这一点。
g <- ggplot(df) + geom_point(aes(x = loc_name, y = value), size = 5)
g <- g + facet_grid(variables ~ season, scales = "free")
g
Run Code Online (Sandbox Code Playgroud)
多方便。现在,说我要做到这一点,但绘制由点loc_x及loc_y并value通过颜色来代替y坐标来表示:
g <- ggplot(df) + geom_point(aes(x = loc_x, y = loc_y, colour = value),
size = 5)
g <- g + facet_grid(variables ~ season, scales = "free")
g <- g + scale_colour_gradient2(low = "#3366CC",
mid = "white",
high = "#FF3300",
midpoint = 50)
g
Run Code Online (Sandbox Code Playgroud)
请注意,色标不是免费的,并且与第一个图一样,sal和 的值chl不容易读取。
我的问题:是否可以scales = "free"对颜色进行等效的处理,以便每一行(在这种情况下)都有一个单独的颜色条?或者,我是否必须绘制每个变量(即图中的行)并使用类似的方法将它们拼凑在一起cowplot?
Axe*_*man 12
使用开发版dplyr:
library(dplyr)
library(purrr)
library(ggplot2)
library(cowplot)
df %>%
group_split(variables, season) %>%
map(
~ggplot(., aes(loc_x, loc_y, color = value)) +
geom_point(size = 5) +
scale_colour_gradient2(
low = "#3366CC",
mid = "white",
high = "#FF3300",
midpoint = median(.$value)
) +
facet_grid(~ variables + season, labeller = function(x) label_value(x, multi_line = FALSE))
) %>%
plot_grid(plotlist = ., align = 'hv', ncol = 2)
Run Code Online (Sandbox Code Playgroud)