9

我有 6 个参数可供用户更改值。这是我们的 6 个输入。我想创建一个输出值,它接受这 6 个输入,并在给定函数中的许多相关方程的情况下计算我们感兴趣的值。这是我的用户界面中的内容...

library(shiny)

# Define UI for slider demo application
shinyUI(pageWithSidebar(

#  Application title
headerPanel("# Header Title Goes Here"),

# Sidebar with sliders that demonstrate various available options
sidebarPanel(
# Simple integer interval
sliderInput("u1", "Name:", 
            min=0, max=10000, value=10000),
#There are 6 slider inputs...

    ),

# Show a table summarizing the values entered
mainPanel(
 tableOutput("values"),

 uiOutput("focal"))
 )
)  

这是我的服务器中的内容。R ...

library(shiny)

shinyServer(function(input, output) {

# Reactive expression to compose a data frame containing all of the values
sliderValues <- reactive({

# Compose data frame
data.frame(
  Name = # Names of my 6 parameters,

  Value = # inputs based on my 6 values by `input$value`,

  stringsAsFactors=FALSE)
})

f <- renderText({function(r1, r2, r3, d1, d2, u1) #these are my 6 values
{ #List of equations that compute f based on the 6 values
}
})


# Show the values using an HTML table
output$values <- renderTable({
sliderValues()
})

# Show the final calculated value 
output$focal <- renderText({
f
})
})

我不断收到......错误:参数1(类型'closure')不能被'cat'和许多其他错误处理。我只是不知道如何将 6 个参数的更新用户输入传输到我的函数,并将该函数吐回 Shiny html 页面的输出区域。

任何帮助将不胜感激!!

谢谢!

4

1 回答 1

25

我认为这里有一些混淆。首先,在您定义fin 的地方server.R,我认为您只想以通常的方式定义一个函数。然后,当您这样做时renderText(),您可以调用该函数来获取您的值。

你现在拥有它的方式,你在里​​面创建一个函数renderText(),然后你试图renderText显示它,而不给它你的参数。这就是您收到错误消息的原因,因为renderText将其第一个参数传递给cat,它不知道如何处理该函数。但是,它可以处理函数的输出

无论如何,以下对我有用。我只做了两个滑块,但你大概可以自己扩展它。

ui.R:

#ui.R
library(shiny)

# Define UI for slider demo application
shinyUI(pageWithSidebar(

  #  Application title
  headerPanel("# Header Title Goes Here"),

  # Sidebar with sliders that demonstrate various available options
  sidebarPanel(
    # Simple integer interval
    sliderInput("u1", "Name:", 
                min=0, max=10000, value=10000),
    sliderInput("r1", "r1:", 
                min=0, max=10000, value=10000)


  ),

  # Show a table summarizing the values entered
  mainPanel(
    tableOutput("values"),

    uiOutput("focal"))
)
) 

服务器.R

#server.R
library(shiny)

shinyServer(function(input, output) {

  # Reactive expression to compose a data frame containing all of the values
  sliderValues <- reactive({

    # Compose data frame
    data.frame(
      Name = c("u1", "r1"),

        Value = c(input$u1,
                  input$r1),

        stringsAsFactors=FALSE)
  })

  f <- function(u1, r1) {
    u1 + r1
  }


  # Show the values using an HTML table
  output$values <- renderTable({
    sliderValues()
  })

  # Show the final calculated value 
  output$focal <- renderText(
    {f(input$u1, input$r1)}
  )
})
于 2013-05-31T02:35:28.013 回答