2

示例代码:

library(DBI)
library(RSQLite)

# will require more details (like user, password, host, port, etc.)
con <- dbConnect(RSQLite::SQLite(), ":memory:")
data(USArrests)
dbWriteTable(con, "USArrests", USArrests)
dbListTables(con)

d0 <- tbl(con, "USArrests")
dbGetQuery(d0, "select * from USArrests")
dbGetQuery(d0, "select * from d0")

返回:

Error in (function (classes, fdef, mtable)  : 
  unable to find an inherited method for function ‘dbGetQuery’ for signature ‘"tbl_dbi", "character"’

显然我可以在 con 上使用 dbGetQuery,但想知道是否有办法让它直接在 d0 上工作。

谢谢。

4

3 回答 3

3

一方面,该tbl()函数是一种 SQL 语句类型,SELECT * FROM Table它在 DBMS 上工作,并且要从数据库服务器检索数据,它需要一个像collect(). 另一方面,是dbGetQuery()使用 SQL 查询将数据检索到 R 会话中的函数。两者都需要连接到服务器和一条语句,但第一个使用 SQL 翻译创建语句,另一个是编写 SQL 查询的用户。

为了说明,我将tmp在 postgreSQL DBMS 中使用时态表:

# Example on postgreSQL
library(tidyverse)
library(dbplyr)
library(RPostgreSQL)
library(DBI) # This is loaded with RPostgreSQL package

con <- dbConnect(PostgreSQL(), 
                 dbname="test",
                 host="localhost",
                 port=5432,
                 user="user",
                 password="pass")

到 PostgreSQL 服务器的虚拟数据

date <- data_frame(Col1 = c("20180212", "20180213"),
                   Col2 = c("A", "B"))
dbWriteTable(con, "tmp", date, temporary = TRUE)

tbl()功能

tbl(con, "tmp") %>% show_query()

#><SQL> 
#>SELECT * 
#>FROM "tmp"

tbl(con, "tmp") %>% 
  mutate(date = to_date(Col1, "YYYYMMDD")) %>%
  show_query()

#><SQL>
#>SELECT "row.names", "Col1", "Col2", TO_DATE("Col1", 'YYYYMMDD') AS "date"
#>FROM "tmp"

tbl(con, "tmp") %>% 
  mutate(date = to_date(Col1, "YYYYMMDD")) %>% #this works on DBMS
  collect() %>% #This retrive to R session
  str()

#>Classes ‘tbl_df’, ‘tbl’ and 'data.frame': 2 obs. of  3 variables:
#> $ row.names: chr  "1" "2"
#> $ Col1     : chr  "20180212" "20180213"
#> $ Col2     : chr  "A" "B"
#> $ date     : Date, format: "2018-02-12" "2018-02-13"

dbGetQuery()功能

dbGetQuery(con, "SELECT * FROM tmp") %>% 
  str()

#>'data.frame': 2 obs. of  3 variables:
#> $ row.names: chr  "1" "2"
#> $ Col1     : chr  "20180212" "20180213"
#> $ Col2     : chr  "A" "B"

dbGetQuery(con, "SELECT * FROM tmp") %>%
  mutate(date = as.Date(Col1, format = "%Y%m%d")) %>% #This works on R session
  str()

#>'data.frame': 2 obs. of  4 variables:
#> $ row.names: chr  "1" "2"
#> $ Col1     : chr  "20180212" "20180213"
#> $ Col2     : chr  "A" "B"
#> $ date     : Date, format: "2018-02-12" "2018-02-13"

结论

tbl()dbGetQuery()函数在 R 编程中是一个高级别的。考虑重新设计您的代码链,了解这两个功能之间的差异以及这些功能的最佳用途。

于 2018-02-14T01:24:22.310 回答
1

不,您不能以这种方式使用dbGetQuerywith dplyr,它只能与DBIConnection.

此外,您的第一个查询是多余的,d0已经代表USArrests数据,第二个查询是无意义的。

dplyr使用了一些不同的方法,它使用dplyr动词并创建一个 SQL 查询:

d0 %>% filter(Murder > 10) %>% show_query()
于 2018-02-11T12:08:19.977 回答
1

好的,查看str帮助揭示了如何使用以下命令访问所需的元素:

  con <- d0$src$con
  db_name <- db_list_tables(con)[1]
于 2018-02-12T10:22:47.743 回答