我有一个连接科学物种名称(即 Quercus rubra )和常用名称(即北方红橡木)的数据库。在我想要创建的Shiny应用程序中,我想要有两个selectizeInput小部件,用户可以在其中选择从我的数据库填充的任何数量的科学名称或常用名称。
我希望这两个输入小部件互相反应,因此如果用户从科学列表中选择多个物种,则该物种的通用名称会填充公共名称输入字段,反之亦然。我已经做了两次尝试,但在这两种情况下都没有得到正确的功能,所以我很感激建议。
尝试1:
comm <- c("northern red oak", "white pine", "balsam fir", "box elder")
sci <- c("Quercus rubra", "Pinus strobus", "Abies balsamea", "Acer negundo")
db <- as.data.frame(cbind(comm, sci))
colnames(db) <- c("common", "scientific_name")
ui <- fluidPage(
# Application title
titlePanel("Mapping Tree Distributions"),
sidebarLayout(
sidebarPanel(
uiOutput("scientific"),
uiOutput("common")
),
mainPanel()
)
)
server <- function(input, output, session) {
output$scientific <- renderUI({
common.value <- input$common.name
default.scientific <- if (is.null(common.value)) {
"Quercus rubra"
} else {
as.character(db$scientific_name[db$common == common.value])
}
selectInput("scientific.name",
"Scientific Name of Organism",
choices = db$scientific_name,
multiple = TRUE,
selectize = TRUE,
selected = default.scientific)
})
output$common <- renderUI({
scientific.value <- input$scientific.name
default.common <- if (is.null(scientific.value)) {
"northern red oak"
} else {
as.character(db$common[db$scientific_name == scientific.value])
}
selectInput("common.name",
"Common Name of Organism",
choices = db$common,
multiple = TRUE,
selectize = TRUE,
selected = default.common)
})
}
# Run the application
shinyApp(ui = ui, server = server)
这主要有效,但是一旦我选择任一列表中的第二项,它会立即删除我之前选择的内容,或者恢复为默认选项(红橡/ Quercus rubra )。
这是我的第二次尝试:
comm <- c("northern red oak", "white pine", "balsam fir", "box elder")
sci <- c("Quercus rubra", "Pinus strobus", "Abies balsamea", "Acer negundo")
db <- as.data.frame(cbind(comm, sci))
colnames(db) <- c("common", "scientific_name")
ui <- fluidPage(
# Application title
titlePanel("Mapping Tree Distributions"),
sidebarLayout(
sidebarPanel(
selectizeInput("scientific.name",
"Scientific Name of Organism",
choices = db$scientific_name,
multiple = TRUE,
selected = NULL),
selectizeInput("common.name",
"Common Name of Organism",
choices = db$common,
multiple = TRUE,
selected = NULL)
),
mainPanel()
)
)
server <- function(input, output, session) {
observeEvent(input$scientific.name, {
updateSelectizeInput(session,
"common.name",
selected = db$common[db$scientific_name ==
input$scientific.name])
})
observeEvent(input$common.name, {
updateSelectizeInput(session,
"scientific.name",
selected = db$scientific_name[db$common ==
input$common.name])
})
}
# Run the application
shinyApp(ui = ui, server = server)
第二次尝试允许我一次选择多个名称,但是一旦我选择了2个或3个名字,就会删除之前的选择。此外,如果我从科学列表中选择,它并不总是更新公共名称列表,反之亦然。
答案 0 :(得分:0)
将观察员中的==
更改为%in%
可以解决问题:
observeEvent(input$scientific.name, {
updateSelectizeInput(session,
"common.name",
selected = db$common[db$scientific_name %in%
input$scientific.name])
})
observeEvent(input$common.name, {
updateSelectizeInput(session,
"scientific.name",
selected = db$scientific_name[db$common %in%
input$common.name])
})