1

我试图了解如何R6在 Shiny 应用程序中使用类对象,并且我想R6使用selectInput()选项在对象中呈现数据。选择输入选项包含我的R6对象的名称。

我有以下对象:

library(R6)
Person <- R6Class("Person", list(
  name = NULL,
  age = NA,
  sons = NA,
  initialize = function(name, age = NA, sons = NA) {
    self$name <- name
    self$age <- age
    self$sons <- sons
  }
))

Manel <- Person$new("Manel", age = 42, sons = c('Joana', 'Gabriel'))
Carla <- Person$new("Maria", age = 44, sons = NA)
Matilde <- Person$new("Matilde", age = 52, sons = c('Bruno', 'Joana', 'Maria'))

在我的 Shiny 应用程序中,我有一个selectInput()可供选择的 Manel、Carla、Matilde。我需要的是,当我选择一个选项时,我会使用我在 selectInput() 中选择的名称呈现对象的值。下面的闪亮应用程序:

library(shiny)
ui <- fluidPage(
  sidebarPanel(
    selectInput('names', 'Names', choices = c('Manel', 'Carla', 'Matilde'))
    ),
  mainPanel(
    uiOutput('name'),
    uiOutput('age'),
    uiOutput('sons')
  )
)

server <- function(input, output, session) {
  output$name <- renderText(Manel$name)
  output$age <- renderText(Manel$age)
  output$sons <- renderText(Manel$sons)
}

shinyApp(ui, server)

谢谢!

4

1 回答 1

1

input$names始终只转一个字符值。要从变量的名称作为字符获取变量的值,您可以使用该get()函数。在这里,我们可以将其包装在一个响应式对象中,因此我们始终可以访问“当前”人员以获取响应式输出。我们可以做的

server <- function(input, output, session) {
  person <- reactive(get(input$names))

  output$name <- renderText(person()$name)
  output$age <- renderText(person()$age)
  output$sons <- renderText(person()$sons)
}

或者,将您的人员存储在命名列表中而不是一堆变量中可能更有意义。例如

people <- list(
  Manel = Person$new("Manel", age = 42, sons = c('Joana', 'Gabriel')),
  Carla = Person$new("Carla", age = 44, sons = NA),
  Matilde = Person$new("Matilde", age = 52, sons = c('Bruno', 'Joana', 'Maria'))
)

然后,您可以使用 select 中的字符值来索引命名列表,而不是使用get().

server <- function(input, output, session) {
  person <- reactive(people[[input$names]])

  output$name <- renderText(person()$name)
  output$age <- renderText(person()$age)
  output$sons <- renderText(person()$sons)
}
于 2019-07-03T17:07:32.270 回答