- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我正在尝试保存从 [here][2] 改编的复选框表 ( see here ) 中的输入,一旦 actionButton 被点击。理想情况下,我想要一个数据框列中的选定框列表,并将用户名作为行名。
我尝试使用以下语法,将响应存储在列表中,然后将它们附加到现有的 csv.file。
library(shiny)
library(DT)
answer_options<- c("reading", "swimming",
"cooking", "hiking","binge- watching series",
"other")
question2<- "What hobbies do you have?"
shinyApp(
ui = fluidPage(
h2("Questions"),
p("Below are a number of statements, please indicate your level of agreement"),
DT::dataTableOutput('checkbox_matrix'),
verbatimTextOutput('checkbox_list'),
textInput(inputId = "username", label= "Please enter your username"),
actionButton(inputId= "submit", label= "submit")
),
server = function(input, output, session) {
checkbox_m = matrix(
as.character(answer_options), nrow = length(answer_options), ncol = length(question2), byrow = TRUE,
dimnames = list(answer_options, question2)
)
for (i in seq_len(nrow(checkbox_m))) {
checkbox_m[i, ] = sprintf(
'<input type="checkbox" name="%s" value="%s"/>',
answer_options[i], checkbox_m[i, ]
)
}
checkbox_m
output$checkbox_matrix= DT::renderDataTable(
checkbox_m, escape = FALSE, selection = 'none', server = FALSE,
options = list(dom = 't', paging = FALSE, ordering = FALSE),
callback = JS("table.rows().every(function(i, tab, row) {
var $this = $(this.node());
$this.attr('id', this.data()[0]);
$this.addClass('shiny-input-checkbox');
});
Shiny.unbindAll(table.table().node());
Shiny.bindAll(table.table().node());")
)
observeEvent(input$submit,{
# unlist values from json table
listed_responses <- sapply(answer_options, function(i) input[[i]])
write.table(listed_responses,
file = "responses.csv",
append= TRUE, sep= ',',
col.names = TRUE)
})
}
)
我得到的只是警告:
write.table(listed_responses, file = "responses.csv", append = TRUE, :appending column names to file
除了警告之外,.csv 文件中没有保存任何内容,我不确定我到底遗漏了什么。
如何正确保存数据表中的复选框列表?
最佳答案
错误来自于在对 write.table
的同一调用中使用 col.names = TRUE
和 append = TRUE
。例如:
write.table(mtcars, "test.csv", append = TRUE, sep = ",", col.names = TRUE)
# Warning message:
# In write.table(mtcars, "test.csv", append = TRUE, sep = ",", col.names = TRUE) :
# appending column names to file
write.table
希望您知道它正在向您的 csv 添加一行列名。由于您可能不希望在每组答案之间有一行列名,因此当 col.names = FALSE
时仅使用 append = TRUE
可能更简洁。您可以使用 if...else
编写两种不同的形式来保存您的 csv,一种用于创建文件,另一种用于附加后续响应:
if(!file.exists("responses.csv")) {
write.table(responses,
"responses.csv",
col.names = TRUE,
append = FALSE,
sep = ",")
} else {
write.table(responses,
"responses.csv",
col.names = FALSE,
append = TRUE,
sep = ",")
}
您的 csv 为空白是因为您的复选框未正确绑定(bind)为输入。我们可以通过将这些行添加到您的应用程序来看到这一点:
server = function(input, output, session) {
...
output$print <- renderPrint({
reactiveValuesToList(input)
})
}
ui = fluidPage(
...
verbatimTextOutput("print")
)
哪个lists all of the inputs在您的应用中:
input
中未列出复选框。因此 listed_responses
将包含一个 NULL
值列表,而 write.table
将保存一个包含空行的 csv。
我没有调查为什么你的 js 不起作用,但是 yihui's method制作带有复选框的数据表似乎效果很好:
# taken from https://github.com/rstudio/DT/issues/93/#issuecomment-111001538
# a) function to create inputs
shinyInput <- function(FUN, ids, ...) {
inputs <- NULL
inputs <- sapply(ids, function(x) {
inputs[x] <- as.character(FUN(inputId = x, label = NULL, ...))
})
inputs
}
# b) create dataframe with the checkboxes
df <- data.frame(
Activity = answer_options,
Enjoy = shinyInput(checkboxInput, answer_options),
stringsAsFactors = FALSE
)
# c) create the datatable
output$checkbox_table <- DT::renderDataTable(
df,
server = FALSE, escape = FALSE, selection = 'none',
rownames = FALSE,
options = list(
dom = 't', paging = FALSE, ordering = FALSE,
preDrawCallback = JS('function() { Shiny.unbindAll(this.api().table().node()); }'),
drawCallback = JS('function() { Shiny.bindAll(this.api().table().node()); } ')
)
)
这是包含两个修复程序的示例。我还添加了模式以在用户成功提交表单或缺少用户名时提醒用户。我在提交后清除表单。
library(shiny)
library(DT)
shinyApp(
ui =
fluidPage(
# style modals
tags$style(
HTML(
".error {
background-color: red;
color: white;
}
.success {
background-color: green;
color: white;
}"
)),
h2("Questions"),
p("Please check if you enjoy the activity"),
DT::dataTableOutput('checkbox_table'),
br(),
textInput(inputId = "username", label= "Please enter your username"),
actionButton(inputId = "submit", label= "Submit Form")
),
server = function(input, output, session) {
# create vector of activities
answer_options <- c("reading",
"swimming",
"cooking",
"hiking",
"binge-watching series",
"other")
### 1. create a datatable with checkboxes ###
# taken from https://github.com/rstudio/DT/issues/93/#issuecomment-111001538
# a) function to create inputs
shinyInput <- function(FUN, ids, ...) {
inputs <- NULL
inputs <- sapply(ids, function(x) {
inputs[x] <- as.character(FUN(inputId = x, label = NULL, ...))
})
inputs
}
# b) create dataframe with the checkboxes
df <- data.frame(
Activity = answer_options,
Enjoy = shinyInput(checkboxInput, answer_options),
stringsAsFactors = FALSE
)
# c) create the datatable
output$checkbox_table <- DT::renderDataTable(
df,
server = FALSE, escape = FALSE, selection = 'none',
rownames = FALSE,
options = list(
dom = 't', paging = FALSE, ordering = FALSE,
preDrawCallback = JS('function() { Shiny.unbindAll(this.api().table().node()); }'),
drawCallback = JS('function() { Shiny.bindAll(this.api().table().node()); } ')
)
)
### 2. save rows when user hits submit -- either to new or existing csv ###
observeEvent(input$submit, {
# if user has not put in a username, don't add rows and show modal instead
if(input$username == "") {
showModal(modalDialog(
"Please enter your username first",
easyClose = TRUE,
footer = NULL,
class = "error"
))
} else {
responses <- data.frame(user = input$username,
activity = answer_options,
enjoy = sapply(answer_options, function(i) input[[i]], USE.NAMES = FALSE))
# if file doesn't exist in current wd, col.names = TRUE + append = FALSE
# if file does exist in current wd, col.names = FALSE + append = TRUE
if(!file.exists("responses.csv")) {
write.table(responses, "responses.csv",
col.names = TRUE,
row.names = FALSE,
append = FALSE,
sep = ",")
} else {
write.table(responses, "responses.csv",
col.names = FALSE,
row.names = FALSE,
append = TRUE,
sep = ",")
}
# tell user form was successfully submitted
showModal(modalDialog("Successfully submitted",
easyClose = TRUE,
footer = NULL,
class = "success"))
# reset all checkboxes and username
sapply(answer_options, function(x) updateCheckboxInput(session, x, value = FALSE))
updateTextInput(session, "username", value = "")
}
})
}
)
关于javascript - Shiny 的 R : How to save list of checkbox inputs from datatable?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/49352886/
我正在通过 Rscript.exe 在托管到我的本地网络的服务器上运行 Shiny 应用程序。如果我们要将其移植到网上,我们可以通过我们设置的服务器基础设施来实现。 Shiny Server 是否添加
当我运行我的 Shiny 应用程序时,我的数据表的标题向左移动。见下文。 假设这张表在选项卡 A 上。 当我单击不同的选项卡(选项卡 B)时,标题会正确对齐,然后再次单击选项卡 A。有关更正的标题,请
是否有查询正在运行的 RStudio Shiny 网页以显示正在运行的服务器版本的变量或方法?例如。显示类似 shiny-0.10.1在网页上。 有任何想法吗? 最佳答案 您可以使用 packageV
我想在以下位置重现示例:https://scip.shinyapps.io/scip_app/ 基本上,我有一个 300 x 300 调整后的相关矩阵和一个 300 x 300 未调整的相关矩阵,我想
关闭。这个问题是opinion-based 。目前不接受答案。 想要改进这个问题吗?更新问题,以便 editing this post 可以用事实和引文来回答它。 . 去年关闭。 社区去年审查了是否重
在我部署应用程序时,应用程序中仍然存在一些异常情况,因此我想将它们从我的帐户中删除。我试过了,但没有找到任何选择。任何帮助将不胜感激。谢谢 最佳答案 在从 shiny.io 填充 token 信息后,
据我了解,Shiny Server 的开源版本不支持身份验证。 我们有一个环境使用 WebSEAL 代理服务来验证用户并将他们的访问引导到 Web 应用程序。 我们希望向经过身份验证的用户公开 Shi
我想将一个 R 应用程序(在装有 OS RHEL6.8 的实际 Shiny 服务器上运行良好)转移到另一个"new" Shiny 服务器。我的应用程序在第一台服务器上运行良好。这个想法是将它放在性能更
我正在通过 #RMarkdown 创建一个测试页面并尝试在其中添加 #Shiny 内容。在编织到 HTML 时,我收到以下错误。 Error in appshot.shiny.appobj(list(
有没有一种简单的方法可以在 shiny 中创建这样的东西? 最佳答案 RStudio 目前正在处理 sortable 包:RStudio/sortable 请注意,它目前正在开发中(标记为实验性),因
当我在一个非常简单的 Shiny 应用程序中按下操作按钮时,我试图调用另一个 Shiny 的应用程序。另一个应用程序位于一个带有 ui.R 和 server.R 文件的名为 Benefits 的文件夹
我最近试图在我的服务器上打开一个 Shiny 的服务器应用程序,并遇到了我以前从未见过的错误。 Error in loadNamespace(j -c "R -e \"install.pack
我有 Shiny 的应用程序,它显示旧数据(延迟 4 天!),但服务器数据已刷新(当天)。 奇怪的是,服务器上不存在旧数据集 - 似乎只存在于 Shiny 缓存中。 在服务器上,我有 1 个数据集由
我有一个在本地 R 服务器(端口 8787)上运行的应用程序。当我将它移动到 Shiny Server(端口 3838)时,我收到消息 ERROR: An error has occurred. Ch
我试图消除此表格与浏览器窗口左侧之间的空间,但当我这样做时,它弄乱了导航栏链接和标题的间距。 如何在不改变 navbar/ui/li 元素的填充/边距的情况下删除 excelR 表上的填充/边距? l
我已经阅读并实现了来自 link 的 Shiny 表中的复选框.但是当我在 R 中运行时,列中的输出是 , 等在每个“选择”单元格中,我希望“选择”列中的输出是复选框,我的问题的解决方案是什么?谢谢
我一直在开发一个 Shiny 的应用程序,它开始变得相当大。 我通过将应用程序的不同部分放入各自文件中的模块中解决了这个问题,然后获取文件。 问题是,当我在源文件的服务器部分(下例中的 events.
我对 Shiny 和 DataTables 还很陌生,所以这可能是个愚蠢的问题。由于某种原因,我无法更改列宽。我试过了 output$table<-DT::renderDataTable( {w
我安装了我的 Shiny 服务器,它在这个目录下的多个应用程序上工作正常: /srv/ Shiny 服务器/app1/srv/ Shiny 服务器/app2 我可以使用 www.mydomain.co
我想在我的 Shiny 应用程序中包含我的 myMardown.md 文档。 为了显示目录,我使用了 toc 选项,还使用了 css (myStyle.css) myMarkdown.md : ---
我是一名优秀的程序员,十分优秀!