5

我正在尝试使用 Shiny 创建一个应用程序,我希望用户能够在其中选择图中每条线的颜色。一般的想法是在应用程序中导入数据,然后绘制数据中的每个变量。我尝试使用来自 shinysky 包的颜色选择器“jscolorInput”,它在放置在 ui.r 文件中时工作正常,但由于我希望我的应用程序对于上传的每个数据集都是动态的,所以我需要将颜色选择器放在服务器中。 R,使用反应函数。当放置在服务器中时,“jscolorInput”不起作用。

我想做的是:

  1. 与数据中的变量数量一样多次重现颜色选择器
  2. 从颜色中获取输入并将其作为颜色参数传递到图中

我对闪亮的开发和stackoverflow都很陌生,所以请原谅我的错误。

这是一个不起作用的可重现示例。

require(shinysky)
require(shiny)

dat <- data.frame(matrix(rnorm(120, 2, 3), ncol=3))

runApp(list(
ui = bootstrapPage(
    # The reactive colorpicker
    uiOutput('myPanel'),
    # The plot
    plotOutput('plot')
),
server = function(input, output) {
    # Print as many colorpickers as the columns in the dataset
    cols <- reactive({
        n <- ncol(dat)
        for(i in 1:n){
            print(jscolorInput(paste("col", i, sep="_")))    
        }
    })

        output$myPanel <- renderPrint({cols()})
    # Put all the input in a vector
    colors <- reactive({
        n <- ncol(dat)
        lapply(1:n, function(i) {
            input[[paste("col", i, sep="_")]]
        })
    })

    output$plot <- renderPlot({
        cols <- ifelse(is.null(input$col_1), rep("000000 ", n), colors()) 
        plot(dat[,1], col= paste0("#", cols[1], ""))
                                for(i in 2:ncol(dat))lines(dat[,i], col=cols[i])
    })

}
))
4

1 回答 1

4

这是您正在尝试做的工作的工作版本。查看我们的代码之间的差异,您的代码存在一些问题。另外,请注意我没有使用shinysky,因为它不再有颜色选择器(它已移动到另一个不活动的包),所以我使用的是inputColourfrom shinyjs

library(shiny)
library(shinyjs)

dat <- data.frame(matrix(rnorm(120, 2, 3), ncol=3))

runApp(shinyApp(
  ui = fluidPage(
    uiOutput('myPanel'),
    plotOutput("plot")
  ),
  server = function(input, output, session) {
    cols <- reactive({
      lapply(seq_along(dat), function(i) {
        colourInput(paste("col", i, sep="_"), "Choose colour:", "black")        
      })
    })

    output$myPanel <- renderUI({cols()})

    # Put all the input in a vector
    colors <- reactive({
      lapply(seq_along(dat), function(i) {
        input[[paste("col", i, sep="_")]]
      })
    })

    output$plot <- renderPlot({
      if (is.null(input$col_1)) {
        cols <- rep("#000000", ncol(dat))
      } else {
        cols <- unlist(colors())
      }
      plot(dat[,1], col = cols[1])
      for(i in 2:ncol(dat)) lines(dat[,i], col = cols[i])
    })
  }
))

免责声明:我是作者shinyjs

于 2015-06-22T23:40:47.810 回答