2

我需要在重新加载时平滑地替换(格式化)数据表中的数据,而页面不会闪烁。

按照此处@yihui 的示例:https ://github.com/rstudio/DT/issues/168我已经成功地替换了标准数据表中的数据,而没有使用 dataTableProxy 函数闪烁页面。

通过 formattable 包包含格式时,我的代码会引发错误:警告:as.data.frame.default 中的错误:无法将类“c(“datatables”,“htmlwidget”)”强制转换为 data.frame

最小的可重现示例:

library(shiny)
library(DT)
library(formattable)

dt <- data.frame(type = letters[1:5], count = sample(1:10, 5))

shinyApp(
    ui = fluidPage(sidebarLayout(
        sidebarPanel(
            sliderInput(
                "number",
                "Select:",
                min = 0,
                max = 10,
                value = 8
            )
        ),

        mainPanel(DT::dataTableOutput('DTtable'))
    )),

    server = function(input, output, session) {
        # Reactive expression of the data frame, subset by the slider number
        sliderValues <- reactive({
            # Compose data frame
            dt['count' > input$number,]
        })


        output$DTtable = DT::renderDataTable(as.datatable(formattable(
            isolate(sliderValues()),

            list(count = color_tile('#ffffff', '#6be560'))
        )))


        observeEvent(sliderValues(), ignoreInit = T, {
            replaceData(dataTableProxy('DTtable'),

                as.datatable(formattable(
                    isolate(sliderValues()),

                    list(count = color_tile('#ffffff', '#6be560'))
                )))
        })
    }
)

当我移动滑块时,我希望重新加载表格,同时保留可格式化的样式。

4

1 回答 1

3

中的小错误sliderValues。用。。。来代替

sliderValues <- reactive({
  # Compose data frame
  dt[dt$count > input$number,]
})

现在,replaceData在第二个参数中需要一个数据框,而不是数据表。这就是您收到此错误的原因。当您有dtable数据表时,数据框位于dtable$x$data. 但是对于行名还有一个附加列,必须将其删除。这样做:

observeEvent(sliderValues(), ignoreInit = TRUE, {
  replaceData(dataTableProxy('DTtable'),
              as.datatable(formattable(
                isolate(sliderValues()),
                list(count = color_tile('#ffffff', '#6be560'))
              ))$x$data[,-1]
  )
})
于 2019-06-08T18:23:42.197 回答