Shiny больше не принимает реактивную функцию для значения xreg - PullRequest
0 голосов
/ 08 апреля 2019

Я работал над блестящим приложением, которое использует "auto.arima" из пакета вместе с параметром xreg.По какой-то причине функция xreg (которая принимает фрейм данных или матрицу) перестала принимать выходные данные реактивной функции, которая является поднабором фрейма данных.Обходной отстой, и поэтому я надеюсь, что кто-то знает хороший способ исправить это.

Shiny выдает эту ОШИБКУ: «xreg должен быть числовой матрицей или вектором»

Я пытался: - переустановить: прогноз, блеск, dplyr и завершить стирание наших R и Rstudioи переустановка с нуля.- Я попытался откатить пакет прогноза до сборки 6 месяцев назад (когда это работало) - Я попытался откатить R до сборки 6 месяцев назад (когда это работало) - Я попытался использоватьдругие пакеты прогнозов;Например, bsts работает нормально

Это минимально жизнеспособный блестящий код.создайте .csv с 3 столбцами данных, обязательно назовите столбцы, такие как «y», «x1» и «x2».

 library(shiny)
 library(forecast)
 library(dplyr)


 ui <- fluidPage(

 # Application title
 titlePanel("arima test"),

 # Sidebar with a slider input for number of bins 
 sidebarLayout(
    sidebarPanel(

    # Input: Select a file ----
    fileInput("uploaded_file", "Choose CSV File",
              multiple = TRUE,
              accept = c("text/csv",
                         "text/comma-separated-values,text/plain",
                         ".csv")),

    uiOutput("dv_dropdown"),
    uiOutput("iv_checkbox")

  ),

  # Show a plot of the generated distribution
  mainPanel(
    verbatimTextOutput("model"),
    tableOutput('data')
  )
  )
  )


 server <- function(input, output) {

 # Read .csv file ----
   df <- reactive({
   req(input$uploaded_file)
   read.csv(input$uploaded_file$datapath,
         header = TRUE)

   })

 # Dynamically generate a list of the dependent variables for the user to choose from the uploaded .csv ----
   output$dv_dropdown <- renderUI({

   selectInput(inputId = "select_dependents", 
            label = "dependent time series:", 
            choices = names(df()[,c(-1)])
            )
   })

 # Dynamically generate a list of the independent variables for the user to choose ----
   output$iv_checkbox <- renderUI({

   checkboxGroupInput(inputId = "select_ivs", 
                   label = "Select Independent variables:", 
                   choices = setdiff(names(df()[,c(-1)]), input$select_dependents),
                   selected = setdiff(names(df()), input$select_dependents))
    })


 ####### CREATE REACTIVE DATA OBJECTS BASED ON FILTERS #################

 # this creates a dataframe of the dependent time series
 df_sel <- reactive({
   req(input$select_dependents)
   df_sel <- df() %>% select(input$select_dependents)


 })

 # this creates a dataframe of the dependent time series
 df_indep <- reactive({
   req(input$select_ivs)
   df_indep <- df() %>% select(input$select_ivs) 

 })


 #proof that the independent variables are in fact in a matrix/dataframe
   output$data <- renderTable({
   df_indep()
  }) 


#This is the TEST ARIMA Model 

 modela <- reactive({

 modela <- auto.arima(df_sel(), xreg = df_indep()) #model with regressors
 #modela <- auto.arima(df_sel()) #model without regressors to demonstrate that it actually works without the xreg argument
 })

 #this is the solution to the xreg problem above, but there's no reason I can think of that xreg shouldn't be able to take a reactive data object like it was doing before... 
 #x = as.matrix(as.data.frame(lapply(df_indep(), as.numeric))) 
 # then set: xreg = x 


 output$model <- renderPrint({ 
 summary(modela())
 })




 }

 # Run the application 
 shinyApp(ui = ui, server = server)
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...