我应该根据固定宽度的列(例如1-8列中的第一个变量,9-15列中的第二个变量...)编写具有特定格式的txt文件。
原始数据的长度不同,必须将它们放在分配的列的右侧。 例如:必须在第一行和第二行的1-8列中写入值“ -15.96”和“ 12.489”,而在9-15列中则写入“ -872.6”和“ 1723.6”。这将是:
123456789012345 (n columns)
-15.96 -872.6
12.489 1723.6
我如何用R做到这一点?现在,我有一个像这样的简单表:
x <- data.frame(a= sample(-500.5:500.8,4),
b= sample(-250.6:420.9,4))
答案 0 :(得分:1)
使用sprintf
对其进行格式化(有关更多信息,请使用help(sprintf)
进行格式化,然后使用writeLines
将行写出。不使用任何软件包。
filename <- stdout() # change to your file name
Lines <- with(x, sprintf("%8.2f%7.1f", a, b))
writeLines(Lines, filename)
## -212.50 380.4
## 288.50 -220.6
## -92.50 102.4
## 381.50 346.4
第二行可以替换地写:
Lines <- do.call("sprintf", c("%8.2f%7.1f", x))
答案 1 :(得分:0)
这是使用格洛腾迪克答案的更自动化版本
https://gist.github.com/haozhu233/28d1309b58431f4929f78243054f1f58
#' Generate fixed width file in R
#' @description This simple function creates fixed width file with no
#' extra dependencies.
#' @param justify "l", "r" or something like "lrl" for left, right, left.
#' @examples dt <- data.frame(a = 1:3, b = NA, c = c('a', 'b', 'c'))
#' write_fwf(dt, "test.txt", width = c(4, 4, 3))
#' @export
write_fwf = function(dt, file, width,
justify = "l", replace_na = "NA") {
fct_col = which(sapply(dt, is.factor))
if (length(fct_col) > 0) {
for (i in fct_col) {
dt[,i] <- as.character(dt[,i])
}
}
dt[is.na(dt)] = replace_na
n_col = ncol(dt)
justify = unlist(strsplit(justify, ""))
justify = as.character(factor(justify, c("l", "r"), c("-", "")))
if (n_col != 1) {
if (length(width) == 1) width = rep(width, n_col)
if (length(justify) == 1) justify = rep(justify, n_col)
}
sptf_fmt = paste0(
paste0("%", justify, width, "s"), collapse = ""
)
tbl_content = do.call(sprintf, c(fmt = sptf_fmt, dt))
tbl_header = do.call(sprintf, c(list(sptf_fmt), names(dt)))
out = c(tbl_header, tbl_content)
writeLines(out, file)
}