这可能是一个普遍的问题,我会尽力明确地描述它。在R Shiny和ui.R
文件中,我使用radioButtons
选择以下两种方法之一:
radioButtons("Methods", strong("Choose a Method:"),
choices = list("method_1" = "m1",
"method_2" = "m2"),
selected="method_1"),
selectInput("method_2_ID", strong("Choose an ID (method_2"),
topIDs)
mainPanel(
tabsetPanel(
tabPanel(title = "method_1_tab1",
plotOutput("plots"),
tabPanel(title = "method_2_output1",
tableOutput("m2_output1")),
tabPanel(title = "method_2_output2",
verbatimTextOutput("m2_output2")))
))
您可以查看方法_2,我计划使用两个不同的标签来显示不同的结果,即m2_output1
和m2_output2
。在我的server.R
文件中,我使用:
if (input$Methods == "method_2") {
# m2_output1
updateTabsetPanel(session, "method_2_output1", selected="panel2")
# drop-down menu
SelectedID = reactive(function(){
input$method_2_ID
})
# m2_output1
output$m2_output1 = renderTable({
m2[m2$ID == input$method_2_ID, ]
})
# m2_output2
updateTabsetPanel(session, "method_2_output2", selected="panel3")
[...]
output$m2_output2 = renderPrint({
[...]
}
})
但是,当我从下拉菜单中点击ID时,它仅适用于method_2_output1
标签,当我点击method_2_ouptut2
标签时,没有显示任何内容(应显示{{1} }}, 我认为)。我的verbatimTextOutput("m2_output2)"
或ui.R
文件有什么问题吗?
答案 0 :(得分:4)
需要进行相当多的更改才能让标签执行您想要的操作。
一些更大的变化是:
您必须使用tabsetPanel
参数创建tabPanels
和id
,以便可以引用它们。
要使updateTabsetPanel
起作用,您必须使用以下命令将这些命令包装在反应式观察者中:
observe ( {
#updateTabsetPanel here
})
使用sessions
参数称为ShinyServer
我做了其他几项修改。以下是一个完全有效的框架。选择方法1时,它会选择Tab1。如果选择方法2,则在第二个和第三个选项卡之间切换,具体取决于所选的方法ID。
library("shiny")
shinyUI(pageWithSidebar(
headerPanel("Tab Switch Demo"),
sidebarPanel(
h4('Switch Tabs Based on Methods'),
radioButtons(inputId="method", label="Choose a Method",
choices = list("method_1",
"method_2")),
conditionalPanel("input.method== 'method_2' ",
selectInput("method_2_ID", strong("Choose an ID for method 2"),
choices = list("method_2_1",
"method_2_2"))
)
),
mainPanel(
tabsetPanel(id ="methodtabs",
tabPanel(title = "First Method Plot", value="panel1",
plotOutput("method_1_tab1")),
tabPanel(title = "method_2_output1", value="panel2",
tableOutput("m2_output1")),
tabPanel(title = "method_2_output2", value="panel3",
verbatimTextOutput("m2_output2"))
)
)
))
library('shiny')
shinyServer(function(input, output, session) {
output$method_1_tab1 = renderPlot({
plot(cars)
})
output$m2_output1 = renderText({
"First Tab for Method 2, ID=1"
})
output$m2_output2 = renderText({
"Second Tab for Method 2, ID=2"
})
observe({
if (input$method == "method_1") {
updateTabsetPanel(session, inputId="methodtabs", selected="panel1")
}
else if (input$method_2_ID == "method_2_1") {
updateTabsetPanel(session, inputId="methodtabs", selected="panel2")
}
else if (input$method_2_ID == "method_2_2") {
updateTabsetPanel(session, inputId="methodtabs", selected="panel3")
}
})
使用上面的代码作为起点,并开始进行更改。
希望能帮到你。