Shiny plotOutput动态属性

时间:2016-12-13 12:03:52

标签: r plot shiny conditional

我的情节取决于用户的输入。 根据输入的不同,绘图大小会有所不同。

我可以动态控制情节的高度吗? 我知道在plotOutput()我有一个身高论点,但我找不到动态改变它的方法。

可重复的例子,当你选择A时,情节看起来很好,但是如果你选择B它会很高 -

library(shiny)
library(ggplot2)

df1 <- data.frame(x = 1:2000, y = rnorm(2000), type = rep(LETTERS[1:8], 250))
df2 <- data.frame(x = 1:100, y = rexp (100), type = rep(c('A','B'), 50))

ui <- shinyUI(fluidPage(title = '',
  fluidRow(selectInput("table",'', choices = c('A','B'))),
  fluidRow(plotOutput("my_plot", height = '1000px'))
  )
)

server <- shinyServer(function(input, output) {
  output$my_plot <- renderPlot({
    t <- if(input$table == 'A') df1
    else df2
    ggplot(t) + facet_grid(type~.) +
      geom_point(mapping = aes(x=x, y=y))
  }
  )
})
shinyApp(ui, server)

最后一件事,在真正的应用程序中,并不是我有2种不同的尺寸,这取决于尺寸需要改变的输入。

1 个答案:

答案 0 :(得分:2)

要做你需要的,你需要使用服务器端渲染。 UI不知道该图有什么以及如何动态调整任何内容。它只需要服务器生成并在屏幕上弹出它。

这是一段代码(我认为你需要的)。顺便说一句 - 我还把'数据'部分放入它自己的反应函数中。您可以进一步修改我的代码,使像素高度“计算”与硬编码等等。

library(shiny)
library(ggplot2)

df1 <- data.frame(x = 1:2000, y = rnorm(2000), type = rep(LETTERS[1:8], 250))
df2 <- data.frame(x = 1:100, y = rexp (100), type = rep(c('A','B'), 50))

ui <- shinyUI(fluidPage(title = '',
                        fluidRow(selectInput("table",'', choices = c('A','B'))),
                        fluidRow(uiOutput('myPlotUI'))
)
)

server <- shinyServer(function(input, output) {
  myData <- reactive({
    if (input$table == 'A')
      df1
    else
      df2
  })
  myPlot <- reactive({
    output$myPlot <- renderPlot({
      ggplot(myData()) + facet_grid(type~.) +
        geom_point(mapping = aes(x=x, y=y))
    })
    if (input$table == 'A') {
      plotOutput('myPlot', height = '1000px')
    } else {
      plotOutput('myPlot', height = '250px')
    }
  })
  output$myPlotUI <- renderUI({
    myPlot()
  })
})
shinyApp(ui, server)