我的数据框由个人和他们居住在某个时间点的城市组成.我想为每年生成一个起始 - 目的地矩阵,记录从一个城市到另一个城市的移动数量.我想知道:
请考虑以下示例:
#An example dataframe
id=sample(1:5,50,T)
year=sample(2005:2010,50,T)
city=sample(paste(rep("City",5),1:5,sep=""),50,T)
df=as.data.frame(cbind(id,year,city),stringsAsFactors=F)
df$year=as.numeric(df$year)
df=df[order(df$id,df$year),]
rm(id,year,city)
Run Code Online (Sandbox Code Playgroud)
我最好的尝试
#Creating variables
for(i in 1:length(df$id)){
df$origin[i]=df$city[i]
df$destination[i]=df$city[i+1]
df$move[i]=ifelse(df$orig[i]!=df$dest[i] & df$id[i]==df$id[i+1],1,0) #Checking whether a move has taken place and whether its the same person
df$year_move[i]=ceiling((df$year[i]+df$year[i+1])/2) #I consider that the person has moved exactly between the two dates at which its location was recorded
}
df=df[df$move!=0,c("origin","destination","year_move")]
Run Code Online (Sandbox Code Playgroud)
为2007创建原始目标表
yr07=df[df$year_move==2007,]
table(yr07$origin,yr07$destination)
Run Code Online (Sandbox Code Playgroud)
结果
City1 City2 City3 City5
City1 0 0 1 2
City2 2 0 0 0
City5 1 1 0 0
Run Code Online (Sandbox Code Playgroud)
您可以通过id拆分数据,对特定于id的数据帧执行必要的计算以从该人获取所有移动,然后重新组合:
spl <- split(df, df$id)
move.spl <- lapply(spl, function(x) {
ret <- data.frame(from=head(x$city, -1), to=tail(x$city, -1),
year=ceiling((head(x$year, -1)+tail(x$year, -1))/2),
stringsAsFactors=FALSE)
ret[ret$from != ret$to,]
})
(moves <- do.call(rbind, move.spl))
# from to year
# 1.1 City4 City2 2007
# 1.2 City2 City1 2008
# 1.3 City1 City5 2009
# 1.4 City5 City4 2009
# 1.5 City4 City2 2009
# ...
Run Code Online (Sandbox Code Playgroud)
因为此代码对每个id使用向量化计算,所以它比在提供的代码中循环遍历数据框的每一行要快得多.
现在你可以使用split和获取年份特定的5x5移动矩阵table:
moves$from <- factor(moves$from)
moves$to <- factor(moves$to)
lapply(split(moves, moves$year), function(x) table(x$from, x$to))
# $`2005`
#
# City1 City2 City3 City4 City5
# City1 0 0 0 0 1
# City2 0 0 0 0 0
# City3 0 0 0 0 0
# City4 0 0 0 0 0
# City5 0 0 1 0 0
#
# $`2006`
#
# City1 City2 City3 City4 City5
# City1 0 0 0 1 0
# City2 0 0 0 0 0
# City3 1 0 0 1 0
# City4 0 0 0 0 0
# City5 2 0 0 0 0
# ...
Run Code Online (Sandbox Code Playgroud)