我有大量的Z值坐标。使用不同的Z值将某些坐标对重复几次。我想获取每个唯一坐标对的所有Z值的平均值。
我写了一小段代码,可以在一个小数据帧上正常工作。问题是我的实际数据框有超过200万行,并且计算需要10个小时以上才能完成。我想知道是否有办法使它更有效并减少计算时间。
这是我的df的样子:
> df
x y Z xy
1 -54.60417 4.845833 0.3272980 -54.6041666666667/4.84583333333333
2 -54.59583 4.845833 0.4401644 -54.5958333333333/4.84583333333333
3 -54.58750 4.845833 0.5788663 -54.5875/4.84583333333333
4 -54.57917 4.845833 0.6611844 -54.5791666666667/4.84583333333333
5 -54.57083 4.845833 0.7830828 -54.5708333333333/4.84583333333333
6 -54.56250 4.845833 0.8340629 -54.5625/4.84583333333333
7 -54.55417 4.845833 0.8373666 -54.5541666666667/4.84583333333333
8 -54.54583 4.845833 0.8290986 -54.5458333333333/4.84583333333333
9 -54.57917 4.845833 0.9535526 -54.5791666666667/4.84583333333333
10 -54.59583 4.837500 0.0000000 -54.5958333333333/4.8375
11 -54.58750 4.845833 0.8582580 -54.5875/4.84583333333333
12 -54.58750 4.845833 0.3857006 -54.5875/4.84583333333333
您可以看到某些xy坐标是相同的(例如第3、11、12或4和9行),我希望所有这些相同坐标的Z均值。这是我的脚本:
mean<-vector(mode = "numeric",length = length(df$x))
for (i in 1:length(df$x)){
mean(df$Z[which(df$xy==df$xy[i])])->mean[i]
}
mean->df$mean
df<-df[,-(3:4)]
df<-unique(df)
我得到这样的东西:
> df
x y mean
1 -54.60417 4.845833 0.3272980
2 -54.59583 4.845833 0.4401644
3 -54.58750 4.845833 0.6076083
4 -54.57917 4.845833 0.8073685
5 -54.57083 4.845833 0.7830828
6 -54.56250 4.845833 0.8340629
7 -54.55417 4.845833 0.8373666
8 -54.54583 4.845833 0.8290986
10 -54.59583 4.837500 0.0000000
这行得通,但是肯定有一种方法可以加快行数更多的df的处理速度(可能没有for循环)?
答案 0 :(得分:2)
欢迎光临!将来最好为我们提供一种快速的方法,以便我们复制和粘贴一些代码,这些代码会生成正在使用的数据集的基本功能。我认为这是一个示例:
DF <- data.frame(x = sample(c(-54.1, -54.2), size = 10, replace = TRUE),
y = sample(c(4.8, 4.4), size = 10, replace = TRUE),
z = runif(10))
这似乎只是拆分应用合并方法:
set.seed(1)
df <- data.frame(x = sample(c(-54.1, -54.2), size = 10, replace = TRUE),
y = sample(c(4.8, 4.4), size = 10, replace = TRUE),
z = runif(10))
library(data.table)
DT <- as.data.table(df)
DT[, .(mean_z = mean(z)), keyby = c("x", "y")]
#> x y mean_z
#> 1: -54.2 4.4 0.3491507
#> 2: -54.2 4.8 0.4604533
#> 3: -54.1 4.4 0.3037848
#> 4: -54.1 4.8 0.5734239
library(dplyr)
#>
#> Attaching package: 'dplyr'
#> The following objects are masked from 'package:data.table':
#>
#> between, first, last
#> The following objects are masked from 'package:stats':
#>
#> filter, lag
#> The following objects are masked from 'package:base':
#>
#> intersect, setdiff, setequal, union
df %>%
group_by(x, y) %>%
summarise(mean_z = mean(z))
#> # A tibble: 4 x 3
#> # Groups: x [?]
#> x y mean_z
#> <dbl> <dbl> <dbl>
#> 1 -54.2 4.4 0.349
#> 2 -54.2 4.8 0.460
#> 3 -54.1 4.4 0.304
#> 4 -54.1 4.8 0.573
由reprex package(v0.2.1)于2018-09-21创建
答案 1 :(得分:1)
您可以尝试dplyr::summarise
。
library(dplyr)
df %>%
group_by(x, y) %>%
summarise(meanZ = mean(Z))
我猜这将花费不到一分钟的时间,具体取决于您的计算机。
其他人可能会提供一个data.table
答案,甚至可能更快。