Shiny modules: Destroy module ui if server-function fails

前端 未结 2 746
眼角桃花
眼角桃花 2021-01-06 15:23

How to display a blank UI (alternatively destroy module UI), if the module server-function fails, without moving all the UI-code to the server function?

2条回答
  •  日久生厌
    2021-01-06 16:11

    How about you assign a value to the session object and evaluate this value before you create the UI (from server side via renderUI().

    1) Move rendering of UI to server side

    Use renderUI(my_module_ui("my_id")) on server side and uiOutput("module") on ui side.

    2) To detect whether your server module was successful assign a value to the session object

    my_module_server <- function(input, output, session) {
      tryCatch({
         ...
        session$userData$mod_server <- TRUE
      }, error = function(cond) {
        session$userData$mod_server <- NULL
      })
    }
    

    3) Use this value to make the call of your module ui conditional

      output$module <- renderUI({
        callModule(my_module_server, "my_id")
        if(!is.null(session$userData$mod_server)) my_module_ui("my_id")
      })
    

    Reproducible example:

    library(shiny)
    
    my_module_ui <- function(id) {
      ns <- NS(id)
      tags$div(
        tags$h1("Don't show me if my_module_server fails!"),
        plotOutput(ns("my_plot"))
      )
    }
    
    my_module_server <- function(input, output, session) {
      tryCatch({
        my_data <- cars * "A" # fail for demo
        # my_data <- cars
    
        output$my_plot <- renderPlot({
          cars2 <- my_data + rnorm(nrow(my_data))
          plot(cars2)
        })
        session$userData$mod_server <- TRUE
      }, error = function(cond) {
        session$userData$mod_server <- NULL
      })
    }
    
    ui <- fluidPage(
      uiOutput("module")
    )
    
    server <- function(input, output, session) {
      output$module <- renderUI({
        callModule(my_module_server, "my_id")
        if(!is.null(session$userData$mod_server)) my_module_ui("my_id")
      })
    }
    shinyApp(ui, server)
    

提交回复
热议问题