tidyr 是一个数据重塑包。在这里,我们将使用pivot_longer()
将其转换为长格式,其中类型名称(Type1、Type2)将驻留在“name”列中,而值(Grass、Poison 等)将驻留在“value”列中。我们过滤掉行,is.na(value)
因为这意味着口袋妖怪没有第二种类型。我们创建一个指标变量——它得到一个 1。然后每个 pokemon 将拥有indicator == 1
它所拥有的类型。我们删除现在无关的“名称”列,并使用pivot_wider()
将每个唯一值value
转换为自己的列,该列将接收indicator
' 值作为每行的单元格值。最后,我们对所有数字列进行变异以用 0 替换缺失值,因为我们知道那些 pokemon 不是那些类型。比更好的解决方案mutate_if(is.numeric, ...)
将是计算类型的唯一值并使用mutate_at(vars(pokemon_types), ...
. 这不会无意中影响其他数字列。
library(tidyr)
library(dplyr)
#>
#> Attaching package: 'dplyr'
#> The following objects are masked from 'package:stats':
#>
#> filter, lag
#> The following objects are masked from 'package:base':
#>
#> intersect, setdiff, setequal, union
pokemon <- tibble(ID = c(1,2), Name = c("Bulbasaur", "Squirtle"),
Type1 = c("Grass", "Water"),
Type2 = c("Poison", NA),
HP = c(40, 50))
pokemon %>% pivot_longer(
starts_with("Type")
) %>%
filter(!is.na(value)) %>%
mutate(indicator = 1) %>%
select(-name) %>%
pivot_wider(names_from = value, values_from = indicator,
) %>%
mutate_if(is.numeric, .funs = function(x) if_else(is.na(x), 0, x))
#> # A tibble: 2 x 6
#> ID Name HP Grass Poison Water
#> <dbl> <chr> <dbl> <dbl> <dbl> <dbl>
#> 1 1 Bulbasaur 40 1 1 0
#> 2 2 Squirtle 50 0 0 1