1

以下简单的闪亮应用程序显示存储在名为 的 R 数据框中的单词及其情绪sent

library(shiny)

sent <- data.frame(word=c('happy', 'sad', 'joy', 'upset'),
                   sentiment=c('positive', 'negative', 'positive', 'negative'),
                   stringsAsFactors = FALSE)


ui <- fluidPage(
  numericInput(inputId = 'num', label='', value=1, min=1, max=nrow(sent)),
  br(),
  h4("Word:"),
  textOutput('word'),
  br(),
  h4("Sentiment:"),
  textOutput('sentiment')
)

server <- function(input, output){
  output$word <- renderText({ sent$word[input$num] })
  output$sentiment <- renderText({ sent$sentiment[input$num] })
}

shinyApp(ui=ui, server=server)

我想通过两种方式修改它:

(1) 我希望用户能够滚动浏览列中的单词sent$word,而不是使用numericInput()

(2) 更重要的是,我希望用户能够修改与每个单词相关的情感值。理想情况下,这将是一个下拉菜单(带有“肯定”和“否定”作为选项),它将显示sent为该单词存储的当前情绪值,但可以由用户更改并在数据框中覆盖。

有什么建议么?

4

1 回答 1

2

这应该可以解决问题

 library(shiny)

 sent <- data.frame(word=c('happy', 'sad', 'joy', 'upset'),
                   sentiment=c('positive', 'negative', 'positive', 'negative'),
                   stringsAsFactors = FALSE)

 sent2 <- reactiveVal(sent)

 i <- 1
 i2 <- reactiveVal(i)

 ui <- fluidPage(
  uiOutput("wordSelect"),
  br(),
  h4("Word:"),
  textOutput('word'),
  br(),
  h4("Sentiment:"),
  textOutput('sentiment'),
  br(),
  uiOutput("change"),
  actionButton("go","Change")
)

 server <- function(input, output){

  output$wordSelect <- renderUI({
    selectizeInput(inputId = 'wrd', label='select word', choices=sent$word, selected=sent$word[i2()])
  })

  output$word <- renderText({ input$wrd })
  output$sentiment <- renderText({  sent$sentiment[which(sent2()$word==input$wrd)] })

 observeEvent(input$go, {
    out <- sent
    out$sentiment[which(sent$word==input$wrd)] <- input$newLabel
    sent <<- out
    sent2(out)
    i <<- which(sent$word==input$wrd)+1
    if(i > length(sent$word)) {
      i <<- i - 1
    }
    i2(i)
})

  output$change <- renderUI({
    radioButtons("newLabel", label="Change value", choices=c('positive','negative'), sent$sentiment[which(sent2()$word==input$wrd)])
  })

  }

shinyApp(ui=ui, server=server)

调整后的输出首先存储在名为 的 reactiveVal 中sent2()。这是您在运行 Shiny App 时查看 adjure 值所必需的。

AselectizeInput()用于滚动单词 (Q1)。

radioButtons()用于选择positivenegative值。默认值是当前应用于相应单词的任何值。

AnactionButton()用于在需要时进行更改。

更新:我添加sent <<- out以便您的sent数据框实际上得到更新。请注意,这将覆盖您之前存储的值sent

更新:每次单击操作按钮时,当前选定单词的索引都会使用 确定which()。然后它被递增并存储在iand中i2()。新索引用于确定 的默认值selectizeInput()。这样,当没有手动选择单词时,您将滚动浏览所有选项。当手动选择一个单词时,您将继续从该单词开始递增。到达最后一个字时,该值不会进一步增加

于 2018-08-30T11:26:14.210 回答