以下简单的闪亮应用程序显示一个单词及其词义,存储在名为sent
的R数据框中。
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
中存储的当前情感值,但可由用户更改并覆盖在数据框中。
有什么建议吗?
答案 0 :(得分: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)
调整后的输出首先存储在名为sent2()
的reactVal中。这是必需的,因为您在运行Shiny App时看到了相邻的值。
使用selectizeInput()
来滚动(Q1)一词。
radioButtons()
用于选择positive
和negative
值。默认值是当前应用于相应字词的任何值。
actionButton()
用于在需要时进行更改。
更新:我添加了sent <<- out
,以使您的sent
数据框实际得到更新。请注意,这将覆盖您之前在sent
中存储的值。
更新:每次单击操作按钮,都会使用which()
确定当前所选单词的索引。然后将其递增并存储在i
和i2()
中。新索引用于确定selectizeInput()
的默认值。这样,当没有手动选择单词时,您将滚动浏览所有选项。手动选择一个单词后,您将继续从该单词开始递增。到达最后一个单词时,该值不再增加