我是R-Shiny的新手,我的问题可能很简单。经过几个小时的思考和搜索,我无法解决问题。这是问题所在:
1)我的应用程序要求用户上传他的数据集。
2)然后在服务器文件中,我读取了数据集并进行了一些分析,并将结果报告给用户界面。
3)我的用户界面有4种不同的输出。
4)我在"渲染"中读取了数据集。每个输出的功能。问题:通过这样做,数据在每个函数的范围内本地定义,这意味着我需要为每个输出再次读取它。
5)这非常低效,有没有其他选择?使用反应?
6)下面的示例代码显示了我如何编写服务器.R:
shinyServer(function(input, output) {
# Interactive UI's:
# %Completion
output$myPlot1 <- renderPlot({
inFile <- input$file
if (is.null(inFile)) return(NULL)
data <- read.csv(inFile$datapath, header = TRUE)
# I use the data and generate a plot here
})
output$myPlot2 <- renderPlot({
inFile <- input$file
if (is.null(inFile)) return(NULL)
data <- read.csv(inFile$datapath, header = TRUE)
# I use the data and generate a plot here
})
})
如何只获取输入数据一次,只使用输出函数中的数据?
非常感谢,
答案 0 :(得分:7)
您可以在reactive
功能中调用文件中的数据。然后可以访问它,例如
其他myData()
函数中的reactive
:
library(shiny)
write.csv(data.frame(a = 1:10, b = letters[1:10]), 'test.csv')
runApp(list(ui = fluidPage(
titlePanel("Uploading Files"),
sidebarLayout(
sidebarPanel(
fileInput('file1', 'Choose CSV File',
accept=c('text/csv',
'text/comma-separated-values,text/plain',
'.csv'))
),
mainPanel(
tableOutput('contents')
)
)
)
, server = function(input, output, session){
myData <- reactive({
inFile <- input$file1
if (is.null(inFile)) return(NULL)
data <- read.csv(inFile$datapath, header = TRUE)
data
})
output$contents <- renderTable({
myData()
})
}
)
)