6

我正在使用 readBin 函数将文件保存为 MySQL BLOB,如本文所述(http://www.r-bloggers.com/save-r-plot-as-a-blob/

plot_binary <- paste(readBin("temp.png", what="raw", n=1e6), collapse="")

我的问题是:一旦它在数据库中,我如何将它转储回文件中?

> f = file ( "backIntoFile.png", "wb")
> writeBin(object = plot_binary, con = f ) 
> close(f)

这不起作用;该文件似乎不是有效的 png ;

干杯!

4

4 回答 4

3

最好不要使用“粘贴”,因为它将原始数据向量更改为无法作为二进制文件写回的字符串。尝试

plot_binary <- readBin("temp.png", what="raw", n=1e6)

> f = file ( "backIntoFile.png", "wb")
> writeBin(object = plot_binary, con = f ) 
> close(f)

我回答你的问题了吗?

于 2012-07-23T08:48:45.583 回答
3

这是迄今为止我找到的最佳解决方案。DbDownloadImages 函数需要很短的时间来执行(实际上几乎没有时间)。

# Helper function I use
Paste <- function(string, vals)
{
    string <- gsub(x = string, pattern = '\\?', replacement = "%s")
    result <- do.call(sprintf, as.list(c(string,vals)))
    return(result)
}
# conn is a RMySQL connection object
DbInsertImage <- function( conn, link.to.file ) 
{

        binary = readBin ( link.to.file , what = "raw", n = 1e6 ) 
        binary.str = paste ( binary, collapse = "" ) 
        statement = Paste ( "CALL InsertImage('?')" , c(binary.str))
        dbSendQuery(conn, statement )
        return(GetIdentity(conn)) # one of my helper functions ; 
            # it returns the "LAST INSERT ID" 
}

#conn is a RMySQL connection object 
DbDownloadImage <- function( conn, id, destination) 
{

    query = "SELECT Data FROM Image WHERE Id = ? LIMIT 1" 
    query = Paste( query, c( id ) )
    result = dbGetQuery(conn, query )$Data[1]

    sst <- strsplit(result, "")[[1]]
    result <- paste0(sst[c(TRUE, FALSE)], sst[c(FALSE, TRUE)])
    result <- as.raw ( as.hexmode ( result ) ) 

    f = file ( destination, "wb")

    writeBin(object = result, con = f ) 
    close(f)
}

另请参阅: 如何将字符串拆分为给定长度的子字符串?

于 2012-07-24T20:06:33.927 回答
1

这是我的解决方案:

binary.string <- paste(readBin("temp.png", what="raw", n=1e6), collapse="-")
  • 将此对象作为 BLOB 保存到数据库中

从数据库下载后如何将其重新保存为 png ?

> split = strsplit ( binaryString, split = "-" )
> split = unlist ( split )
> back.to.binary = as.raw ( as.hexmode ( split ) ) 
> f = file ( "backIntoFile.png", "wb")
> writeBin(object = back.to.binary, con = f ) 
> close(f)
于 2012-07-23T18:12:43.307 回答
0

好的,我在这里添加另一个解决方案。首先,要获取您可以使用的文件的大小

sz <- as.integer(system("stat --format %s temp.png", intern=T))

除此之外,MadSeb 的回答让我明白了最初的问题的真正目的。在两个字节之间添加“-”是一个很好的解决方案,但是,如果您必须节省 1/3 磁盘空间,这是一个愚蠢的方法:(需要很长时间)

plot_binary <- paste(readBin("temp.png", what="raw", n=1e6), collapse="")
theBinary <- unlist(lapply((1:(nchar(plot_binary)/2))*2, function(i)return(as.raw(as.hexmode(substr(plot_binary,i-1,i))))))
于 2012-07-24T02:02:10.023 回答