不幸的是,我被客户给了一张非常凌乱且非常大的桌子(csv)。它的格式很广:'(
例如,列是:
Name, Date, Usage_Hr1, Usage_Hr2, ..., Usage_Hr24, ... lots more columns
我通常只会将.csv加载到R
并使用gather
包中的tidyr
,但数据太大了。我已考虑将数据加载到sparklyr
,但gather
中没有sparklyr
函数...
所以我的问题是,一旦我COPY
将我的表格编入Cassandra(将PRIMARY KEY
设置为姓名和日期),我该如何将这些cols转换为长格式?我运气不好吗?我不是家伙,所以我不知道。
注意我使用的是最新版本的Cassandra,我当前的表大约有1000万行。
答案 0 :(得分:2)
在Spark中,您可以使用explode
个函数,but compared to support APIs,这样做sparklyr
有点参与。
初始化和示例数据:
library(stringi)
sc <- spark_connect("local[*]")
df <- data.frame(A = c("a", "b", "c"), B = c(1, 3, 5), C = c(2, 4, 6))
sdf <- copy_to(sc, df, overwrite =TRUE)
助手功能:
#' Given name, return corresponding SQL function
sqlf <- function(f) function(x, ...) {
invoke_static(sc, "org.apache.spark.sql.functions", f, x, ...)
}
融化功能:
#' @param df tbl_spark
#' @param sc spark_connection
#' @param id_vars id columns
#'
melt <- function(df, sc, id_vars, value_vars = NULL,
var_name = "key", value_name = "value") {
# Alias for the output view
alias <- paste(deparse(substitute(df)), stri_rand_strings(1, 10), sep = "_")
# Get session and JVM object
spark <- spark_session(sc)
jdf <- spark_dataframe(df)
# Convert characters to JVM Columns
j_id_vars <- lapply(id_vars, sqlf("col"))
# Combine columns into array<struct<key,value>> and explode
exploded <- sqlf("explode")(sqlf("array")(lapply(value_vars, function(x) {
key <- sqlf("lit")(x) %>% invoke("alias", var_name)
value <- sqlf("col")(x) %>% invoke("alias", value_name)
sqlf("struct")(list(key, value))
})))
# expand struct<..., struct<key, value>> into struct<..., key, value>
exprs <- lapply(
c(id_vars, paste("col", c(var_name, value_name), sep = ".")),
sqlf("col"))
# Explode and register as temp table
jdf %>%
invoke("withColumn", "col", exploded) %>%
invoke("select", exprs) %>%
invoke("createOrReplaceTempView", alias)
dplyr::tbl(sc, alias)
}
使用示例:
melt(sdf, sc, "A", c("B", "C"))
## Source: query [6 x 3]
## Database: spark connection master=local[*] app=sparklyr local=TRUE
##
## # A tibble: 6 x 3
## A key value
## <chr> <chr> <dbl>
## 1 a B 1
## 2 a C 2
## 3 b B 3
## 4 b C 4
## 5 c B 5
## 6 c C 6