3つの代替ソリューション:
1)あり データ表:
パッケージと同じmelt
関数を使用できreshape2
ます(拡張および改善された実装です)。melt
fromにdata.table
は、melt
-function from よりも多くのパラメーターがありますreshape2
。たとえば、変数列の名前を指定することもできます。
library(data.table)
long <- melt(setDT(wide), id.vars = c("Code","Country"), variable.name = "year")
それは与える:
> long
Code Country year value
1: AFG Afghanistan 1950 20,249
2: ALB Albania 1950 8,097
3: AFG Afghanistan 1951 21,352
4: ALB Albania 1951 8,986
5: AFG Afghanistan 1952 22,532
6: ALB Albania 1952 10,058
7: AFG Afghanistan 1953 23,557
8: ALB Albania 1953 11,123
9: AFG Afghanistan 1954 24,555
10: ALB Albania 1954 12,246
いくつかの代替表記:
melt(setDT(wide), id.vars = 1:2, variable.name = "year")
melt(setDT(wide), measure.vars = 3:7, variable.name = "year")
melt(setDT(wide), measure.vars = as.character(1950:1954), variable.name = "year")
2)あり ティディル:
library(tidyr)
long <- wide %>% gather(year, value, -c(Code, Country))
いくつかの代替表記:
wide %>% gather(year, value, -Code, -Country)
wide %>% gather(year, value, -1:-2)
wide %>% gather(year, value, -(1:2))
wide %>% gather(year, value, -1, -2)
wide %>% gather(year, value, 3:7)
wide %>% gather(year, value, `1950`:`1954`)
3)あり reshape2:
library(reshape2)
long <- melt(wide, id.vars = c("Code", "Country"))
同じ結果をもたらすいくつかの代替表記:
# you can also define the id-variables by column number
melt(wide, id.vars = 1:2)
# as an alternative you can also specify the measure-variables
# all other variables will then be used as id-variables
melt(wide, measure.vars = 3:7)
melt(wide, measure.vars = as.character(1950:1954))
ノート:
- reshape2引退しました。CRANに保持するために必要な変更のみが行われます。(ソース)
- 除外したい場合は
NA
値を、あなたは追加することができますna.rm = TRUE
にmelt
だけでなく、gather
機能しています。
データのもう1つの問題は、値がRによって(数値の結果として)文字値として読み取られることです,
。あなたがそれを修復することができますgsub
し、as.numeric
:
long$value <- as.numeric(gsub(",", "", long$value))
または直接data.table
またはでdplyr
:
# data.table
long <- melt(setDT(wide),
id.vars = c("Code","Country"),
variable.name = "year")[, value := as.numeric(gsub(",", "", value))]
# tidyr and dplyr
long <- wide %>% gather(year, value, -c(Code,Country)) %>%
mutate(value = as.numeric(gsub(",", "", value)))
データ:
wide <- read.table(text="Code Country 1950 1951 1952 1953 1954
AFG Afghanistan 20,249 21,352 22,532 23,557 24,555
ALB Albania 8,097 8,986 10,058 11,123 12,246", header=TRUE, check.names=FALSE)