我正在使用具有多个模块的更大的 Shiny 应用程序。应用程序中的每个选项卡都是其自己的模块。一些选项卡具有一些共享输入,以及它们自己选项卡的不同输入。
这就是我需要的:当用户更改其中一个闪亮模块中的输入时,跨模块相同的输入也需要更改。这样一来,当用户已经在一个选项卡中更改了输入时,他们就不需要继续跨选项卡更改输入。此外,理想情况下,代码在用户导航到选项卡之前不会执行。
一些给了我想法的资源如下:
- 模块之间的通信 - https://shiny.rstudio.com/articles/communicate-bet-modules.html
- 更新所选输入的值 - https://shiny.rstudio.com/reference/shiny/1.3.1/updateSelectInput.html
下面我写了一些我正在尝试做的示例代码。任何帮助深表感谢。我希望闪亮的大师能找到这篇文章。到目前为止,我一直没有成功。
library(shiny)
common_inputs_UI <- function(id) {
ns <- NS(id)
tagList(
selectInput(
ns('common1'),
'Common 1',
c('A', 'B', 'C', 'D')
),
selectInput(
ns('common2'),
'Common 2',
c('A2', 'B2', 'C2', 'D2')
)
)
}
common_inputs <- function(input, output, session) {
return(
list(
common1 = reactive({ input$common1 }),
common2 = reactive({ input$common2 })
)
)
}
test_one_UI <- function(id) {
ns <- NS(id)
tagList(
common_inputs_UI('test1'),
selectInput(
'test1_select',
'Test 1 Select',
c('Fee 1', 'Fi 1', 'Fo 1', 'Fum 1')
)
)
}
test_one <- function(input, output, session, default_inputs) {
ns <- session$ns
observe({
updateSelectInput(
session,
'common1',
selected = default_inputs$common1()
)
updateSelectInput(
session,
'common2',
selected = default_inputs$common2()
)
})
}
test_two_UI <- function(id) {
ns <- NS(id)
tagList(
common_inputs_UI('test2'),
selectInput(
'test2_select',
'Test 2 Select',
c('Fee 2', 'Fi 2', 'Fo 2', 'Fum 2')
)
)
}
test_two <- function(input, output, session, default_inputs) {
ns <- session$ns
observe({
updateSelectInput(
session,
'common1',
selected = default_inputs$common1()
)
updateSelectInput(
session,
'common2',
selected = default_inputs$common2()
)
})
}
test_three_UI <- function(id) {
ns <- NS(id)
tagList(
common_inputs_UI('test3'),
selectInput(
'test3_select',
'Test 3 Select',
c('Fee 3', 'Fi 3', 'Fo 3', 'Fum 3')
)
)
}
test_three <- function(input, output, session, default_inputs) {
ns <- session$ns
observe({
updateSelectInput(
session,
'common1',
selected = default_inputs$common1()
)
updateSelectInput(
session,
'common2',
selected = default_inputs$common2()
)
})
}
ui <- fluidPage(
tabsetPanel(
type = 'tabs',
tabPanel(
'Test One',
test_one_UI('test1')
),
tabPanel(
'Test Two',
test_two_UI('test2')
),
tabPanel(
'Test Three',
test_three_UI('test3')
)
)
)
server <- function(input, output, session) {
common_inputs_mod1 <- callModule(common_inputs, 'test1')
common_inputs_mod2 <- callModule(common_inputs, 'test2')
common_inputs_mod3 <- callModule(common_inputs, 'test3')
t1 <- callModule(test_one, 'test1', common_inputs_mod1)
t2 <- callModule(test_two, 'test2', common_inputs_mod2)
t3 <- callModule(test_three, 'test3', common_inputs_mod3)
}
shinyApp(ui, server)