我正在使用闪亮的selectInput,在我选择的下拉菜单中,我希望在某些单词之间有多个空格。但是,仅显示包含空白区域,在应用程序中最多只会有一个空格。
例如在下面的代码示例中,我在“Cylinder”和“I”之间有多个空格,但是如果你运行它只会显示一个 - 我该如何解决?
ui <- fluidPage(
selectInput("variable", "Variable:",
c("Cylinder I want multiple spaces here" = "cyl",
"Transmission" = "am",
"Gears" = "gear")),
tableOutput("data")
)
server <- function(input, output) {
output$data <- renderTable({
mtcars[, c("mpg", input$variable), drop = FALSE]
}, rownames = TRUE)
}
shinyApp(ui, server)
}
答案 0 :(得分:3)
我通常用“硬空间”(ASCII 160)替换空格(ASCII 32)。 在这种情况下,多个空格未被发现。
由于RStudio不接受ALT-160为“”,因此需要使用intToUtf8(160)
动态注入符号160。
注意:base::strrep()
无法正确处理符号160,因此必须使用stringi::stri_dup()
。
感谢您提出的意见建议将生成的名称放在selectInput()
中。得到的解决方案如下:
library(shiny)
library(shinydashboard)
library(stringi)
# Praparations (could be put into global.R) ------------
choices <- c(
"TO BE OVERRIDEN" = "cyl",
"Transmission" = "am",
"Gears" = "gear")
# Replace name place holder with the actual one
names(choices)[1] <- paste0(
"Cylinder",
stri_dup(intToUtf8(160), 6), # Replace 6 with the desired number
"I want multiple spaces here")
# Definition of UI -----------
ui <- fluidPage(
selectInput("variable", "Variable:", choices),
tableOutput("data")
)
# Definition of server -----------
server <- function(input, output) {
# Main table
output$data <- renderTable({
mtcars[, c("mpg", input$variable), drop = FALSE]
}, rownames = TRUE)
}
# Run app -------
shinyApp(ui, server)
如果有意义,请告诉我。