1

Lapply with labels = names(x),返回怪异闪亮的 NULL HTML 类;lapply with labels = as.character(names(x)),返回正确的 HTML 类,但不放置标签。任何想法为什么?

代表:

library(shiny) 

items <- list(
  "A" = "a",
  "B", = "b"
)

num_inputs <- function(items){
labels <- names(items)
temp. <- NULL 
for(i in 1:length(items)){
  temp. <- list(temp., numericInput(inputId = items[i],
               label = labels[i], 
               value = 1,
               min = 0,
               max = 10,
               step = 0.1)
  )
}
return(temp.)
}

# doesn't work 
num_inputs_fail <- function(items){
  lapply(items, FUN = function(x){ 
    numericInput(inputId = x,
                label = as.character(names(x)), 
                value = 1,
                min = 0,
                max = 10,
                step = 0.1)
    })
}

attempt1 <- tagList(num_inputs(items))
attempt2 <- tagList(num_inputs_fail(items))

请注意(对于仅尝试 1[1] 和尝试 [2],标签几乎相同,但实际标签缺失!

<div class="form-group shiny-input-container">
  <label class="control-label" for="a">A</label>
  <input id="a" type="number" class="form-control" value="1" min="0" max="10" step="0.1"/>
</div>

<div class="form-group shiny-input-container">
  <label class="control-label" for="a"></label>
  <input id="a" type="number" class="form-control" value="1" min="0" max="10" step="0.1"/>
</div>

本页:使用 R/Shiny 创建动态数量的输入元素

包括以下代码:

output$sliders <- renderUI({
  members <- as.integer(input$members) # default 2
  max_pred <- as.integer(input$max_pred) # default 5000
  lapply(1:members, function(i) {
    sliderInput(inputId = paste0("ind", i), label = paste("Individual", i),
                min = 0, max = max_pred, value = c(0, 500), step = 100)
  })
})

在 renderUI 中,链接的闪亮应用程序似乎正确地有标签;但即使在我的 lapply 中使用 paste() 函数也不能解决它。

我的 R 版本:“R 版本 3.5.1 (2018-07-02)”

我的闪亮版本:'1.4.0'

4

1 回答 1

2

lapply不会将输入列表的元素与其名称进行映射。

正如@Ben 所建议的,您可以使用 mapnames(items)而不是 mapping items。一个例子:

items <- list(
  "A" = "a",
  "B" = "b"
)

lapply(names(items), function(x) data.frame(id = x, label = items[[x]]))
# [[1]]
#   id label
# 1  A     a
# 
# [[2]]
#   id label
# 1  B     b

另一种方法是使用purrr::imap

purrr::imap(items, ~ data.frame(id = .y, label = .x)) # .y: name  .x: value
# $A
#   id label
# 1  A     a
# 
# $B
#   id label
# 1  B     b

imap代表“索引地图”)。

purrr::imap(items, function(value, name) data.frame(id = name, label = value))

于 2020-03-03T09:23:09.040 回答