Psycopg2-查询postgreSQL数据库cur.execute的最后24小时

时间:2019-05-03 20:53:43

标签: python postgresql datetime psycopg2

在过去的24小时内,我很难从一个表中查询所有数据,而且由于我是初学者,所以很难说这是否对我而言是python的postgres错误

我看到“ publishedAt”字段,返回datetime.datetime值。

# print out columns names
cur.execute(
    """
    SELECT *
    FROM "table"
    LIMIT 1
    """
)

# print out columns names
colnames = [desc[0] for desc in cur.description]
print(colnames)

# print out col values
rows = cur.fetchall()
print(rows)

['id', 'publishedAt', ......]
[['5a086f56-d080-40c0-b6fc-ee78b08aec3d', datetime.datetime(2018, 11, 11, 
15, 39, 58, tzinfo=psycopg2.tz.FixedOffsetTimezone(offset=0, name=None)), .....]

但是,

cur.execute(
    """
    SELECT * 
    FROM "table"
    WHERE publishedAt BETWEEN %s and %s;""", 
    (dt.datetime.now() - dt.timedelta(days=1))
)    

结果:

TypeError: 'datetime.datetime' object does not support indexing

是否可以在psycopg2查询中使用日期时间库?

1 个答案:

答案 0 :(得分:2)

您想将元组传递到cur.execute(),您要传递一个值(不同于包含单个值的“元组”)

此外,为什么不使用Postgres中的日期/时间,它在处理它方面也很出色。例如您的查询可能类似于:

cur.execute("""SELECT * FROM "table" WHERE publishedAt > now() - interval '1 day'""")

否则,您可以使用以下方法在数据库中进行日期计算:

cur.execute("""SELECT * FROM "table" WHERE publishedAt > %s - interval '1 day'""", (dt.datetime.now(),))

(请注意末尾的逗号),或使用以下命令在Python中进行计算:

cur.execute("""SELECT * FROM "table" WHERE publishedAt > %s""", (dt.datetime.now() - dt.timedelta(days=1),))

如果您想要日期的上限,则可能需要执行以下操作:

now =  dt.datetime.now()
cur.execute("""SELECT * FROM "table" WHERE publishedAt BETWEEN %s AND %s""", (now - dt.timedelta(days=1), now))

(请注意,Python知道方括号表示一个元组,因此不需要结尾逗号)