library(tidyverse)
mtcars %>%
count(cyl) %>%
mutate(prop = n / sum(n)) %>%
ggplot(aes(x = cyl, y = prop)) +
geom_point() +
scale_y_continuous(labels = scales::percent_format(accuracy = 5L))
如果我在上方使用scales::percent()
而不是scales::percent_format(accuracy = 5L)
,则我在百分比标签中会得到小数位,这是我不希望的。
问题-在上面的示例中 5L的作用是什么?为什么需要使用整数5L而不是5?为什么6L将最高y值从40%更改为42%?那真是奇怪。
答案 0 :(得分:2)
首先,它不需要精确地指定为整数(即5
的效果就很好)。
第二,您可以随时在R控制台中进行?scales::percent_format
(免费!)。这样做可以告诉您有关该功能的信息:
percent_format(
accuracy = NULL, scale = 100, prefix = "", suffix = "%",
big.mark = " ", decimal.mark = ".", trim = TRUE, ...
)
因此,它需要许多可能的参数,所有参数都有默认值,有些是选项(通过...
)。
accuracy
参数的默认值为NULL
。如果我们仅在功能的帮助页面上向下滚动,就会看到:
accuracy
:四舍五入到的数字,NULL
用于自动猜测。如果键入不带括号或?
前缀的函数名,则可以看到整个源代码。这样做表明它最终会调用scales::number()
,它定义为:
function (x, accuracy = 1, scale = 1, prefix = "", suffix = "",
big.mark = " ", decimal.mark = ".", trim = TRUE, ...) {
if (length(x) == 0) return(character())
accuracy <- accuracy %||% precision(x)
x <- round_any(x, accuracy/scale)
nsmall <- -floor(log10(accuracy))
nsmall <- min(max(nsmall, 0), 20)
ret <- format(scale * x, big.mark = big.mark, decimal.mark = decimal.mark,
trim = trim, nsmall = nsmall, scientific = FALSE, ...)
ret <- paste0(prefix, ret, suffix)
ret[is.infinite(x)] <- as.character(x[is.infinite(x)])
ret[is.na(x)] <- NA
ret
}
此:
accuracy <- accuracy %||% precision(x)
判断accuracy
是否不是NULL
,否则使用precision()
函数进行猜测。
此后的下一行是您问题的最终答案。
答案 1 :(得分:1)
逗号后5位数字
library(ggplot2)
library(tidyverse)
mtcars %>%
count(cyl) %>%
mutate(prop = n / sum(n)) %>%
ggplot(aes(x = cyl, y = prop)) +
geom_point() +
scale_y_continuous(labels = scales::percent_format(accuracy=.00001))