1

我想为数据框“轨迹”中的每个单独 ID 生成一个 X、Y 图:

**trajectories**

X    Y    ID
2    4     1
1    6     1
2    4     1
1    8     2
3    7     2
1    5     2
1    4     3
1    6     3
7    4     3

我使用代码:

sapply(unique(trajectories$ID),(plot(log(abs(trajectories$X)+0.01),log((trajectories$Y)+0.01))))

但这似乎不起作用,因为错误:

Error in match.fun(FUN) : 
c("'(plot(log(abs(trajectories$X)+0.01),log((trajectories$Y)' is not a function,      character or symbol", "'    0.01)))' is not a function, character or symbol")

有没有办法重写这段代码,以便我为每个 ID 获得一个单独的图?

4

3 回答 3

4

你可以ggplot2很好地使用这个包:

library(ggplot2)
trajectories <- structure(list(X = c(2L, 1L, 2L, 1L, 3L, 1L, 1L, 1L, 7L), Y = c(4L, 6L, 4L, 8L, 7L, 5L, 4L, 6L, 4L), ID = c(1L, 1L, 1L, 2L, 2L, 2L, 3L, 3L, 3L)), .Names = c("X", "Y", "ID"), class = "data.frame", row.names = c(NA, -9L))

ggplot(trajectories, aes(x=log(abs(X) + 0.01), y=log(Y))) + 
  geom_point() + 
  facet_wrap( ~ ID)

对于它的价值,你的鳕鱼失败的原因正是错误所说的。to 的第二个参数必须sapply是一个函数。如果您将绘图代码定义为函数:

myfun <- function(DF) {
  plot(log(abs(DF$X) + 0.01), log(DF$Y))
}

但这不会将您的数据拆分到ID. 您也可以使用plyrordata.table包来执行此拆分和绘图,但您需要将绘图写入文件,否则它们将在创建每个新绘图时关闭。

于 2013-02-22T16:11:53.173 回答
1

lattice软件包在这里很有用。

library(lattice)
# Make the data frame
X <- c(2,1,2,1,3,1,1,1,7) 
Y <- c(4,6,4,8,7,5,4,6,4)   
ID <- c(1,1,1,2,2,2,3,3,3)
trajectories <- data.frame(X=X, Y=Y, ID=ID)

# Plot the graphs as a scatter ploy by ID
xyplot(Y~X | ID,data=trajectories)

# Another useful solution is to treat ID as a factor
# Now, the individual plots are labeled
xyplot(Y~X | factor(ID),data=trajectories)
于 2013-02-22T17:28:54.407 回答
1

即使使用基本的R,这也是可能的。使用 iris 数据集:

coplot(Sepal.Length ~ Sepal.Width | Species, data = iris)
于 2016-07-11T14:15:41.303 回答