我构建了一个闪亮的应用程序,用于下载自定义和可编辑的数据表。这里我以iris
数据集为例。
根据此post,我添加了一个按钮,以将整个数据集下载为csv。
但是,出现了一个问题。当我尝试取消选中某些列或编辑表时,下载按钮便消失了。而且它再也不会出现。
我花了数小时试图弄清楚,但没有成功。 有人知道为什么会这样吗?非常感谢。
library(shiny)
library(DT)
library(dplyr)
# UI
ui = fluidPage(
downloadButton("download1","Download iris as csv"),
DT::dataTableOutput('tbl'),
checkboxGroupInput('datacols',
label='Select Columns:',
choices= c('Sepal.Length', 'Sepal.Width', 'Petal.Length', 'Petal.Width', 'Specie'),
selected = c('Sepal.Length', 'Sepal.Width', 'Petal.Length', 'Petal.Width', 'Specie'),
inline=TRUE )
)
# SERVER
server = function(input, output) {
df = reactiveValues()
observe ({
df$dat = iris %>% select(one_of(input$datacols))
})
# render DT
output$tbl = renderDT({
datatable(df$dat,
editable = "cell",
callback = JS("$('div.dwnld').append($('#download1'));"),
extensions = "Buttons",
options = list(
dom = 'B<"dwnld">frtip',
buttons = list(
"copy" ) ) )
})
observeEvent(input[["tbl_cell_edit"]], {
cellinfo <- input[["tbl_cell_edit"]]
df$dat <- editData(df$dat, input[["tbl_cell_edit"]] )
})
output$download1 <- downloadHandler(
filename = function() {
paste("data-", Sys.Date(), ".csv", sep="")
},
content = function(file) {
write.csv(df$dat, file)
}
)
}
shinyApp(ui, server)
答案 0 :(得分:1)
非常有趣的情况。
每次编辑单元格或选择/取消选择列时,这都会更改df$dat
,然后重新呈现表。但是随后表中包含的元素#download1
在DOM中不再存在。
我们必须找到一种方法来选择/取消选择某些列并编辑某些单元格而无需重新呈现表。这是一个:
library(shiny)
library(DT)
library(dplyr)
# UI
ui = fluidPage(
downloadButton("download1", "Download iris as csv"),
DTOutput('tbl'),
checkboxGroupInput(
'datacols',
label='Select Columns:',
choices= c('Sepal.Length', 'Sepal.Width', 'Petal.Length', 'Petal.Width', 'Species'),
selected = c('Sepal.Length', 'Sepal.Width', 'Petal.Length', 'Petal.Width', 'Species'),
inline=TRUE)
)
# SERVER
server = function(input, output) {
dat <- iris
# render DT
output$tbl = renderDT({
datatable(dat,
editable = "cell",
callback = JS(
"$('div.dwnld').append($('#download1'));",
"var checkboxes = $('input[name=datacols]');",
"checkboxes.each(function(index,value){",
" var column = table.column(index+1);",
" $(this).on('click', function(){",
" if($(this).prop('checked')){",
" column.visible(true);",
" }else{",
" column.visible(false);",
" }",
" });",
"});"
),
extensions = "Buttons",
options = list(
dom = 'B<"dwnld">frtip',
buttons = list("copy")
)
)
})
observeEvent(input[["tbl_cell_edit"]], {
cellinfo <- input[["tbl_cell_edit"]]
dat <<- editData(dat, cellinfo, "tbl")
})
output$download1 <- downloadHandler(
filename = function() {
paste("data-", Sys.Date(), ".csv", sep="")
},
content = function(file) {
write.csv(dat %>% select(one_of(input$datacols)), file)
}
)
}
shinyApp(ui, server)