Python SQLITE3 SELECT查询与datetime计算的字符串不起作用

时间:2013-03-31 17:11:02

标签: python sqlite

我有一个带有名为TEST_TABLE的表的SQLite3数据库,如下所示:

("ID" TEXT,"DATE_IN" DATE,"WEEK_IN" number);

表格中有两个条目:

1|2012-03-25|13
2|2013-03-25|13

我正在尝试编写一个返回今年第13周ID的查询。 我想明年再次使用该程序,所以我不能将“2013”​​硬编码为年份。

我使用datetime来计算今年的值,创建一个datetime.date对象,其内容如下:“2013-01-01”。然后我将其转换为字符串:

this_year = (datetime.date(datetime.date.today().isocalendar()[0], 1, 1))
test2 = ("'"+str(this_year)+"'")

然后我查询了SQLite DB:

cursr = con.cursor()
con.text_factory = str
cursr.execute("""select ID from TEST_TABLE where WEEK_IN = 13 and DATE_IN > ? """,[test2])

result = cursr.fetchall()
print result

[('1',), ('2',)]

这会返回ID 1和2,但这并不好,因为ID 1的年份为“2012”。

奇怪的是,如果我不对字符串使用datetime,而是手动创建var,那么它的工作正确。

test2 = ('2013-01-01')

cursr.execute("""select ID from TEST_TABLE where WEEK_IN = 13 and DATE_IN > ? """,[test2])
result = cursr.fetchall()
print result
[('2',)]

那么当我通过datetime创建字符串时,为什么查询不能正常工作? 字符串是一个字符串,对吗?那我在这里错过了什么?

2 个答案:

答案 0 :(得分:0)

不要将this_year转换为字符串,只需将其保留为datetime.date对象:

this_year = DT.date(DT.date.today().year,1,1)

import sqlite3
import datetime as DT

this_year = (DT.date(DT.date.today().isocalendar()[0], 1, 1))
# this_year = ("'"+str(this_year)+"'")
# this_year = DT.date(DT.date.today().year,1,1)
with sqlite3.connect(':memory:') as conn:
    cursor = conn.cursor()
    sql = '''CREATE TABLE TEST_TABLE
        ("ID" TEXT,
        "DATE_IN" DATE,
        "WEEK_IN" number)
    '''
    cursor.execute(sql)
    sql = 'INSERT INTO TEST_TABLE(ID, DATE_IN, WEEK_IN) VALUES (?,?,?)'
    cursor.executemany(sql, [[1,'2012-03-25',13],[2,'2013-03-25',13],])
    sql = 'SELECT ID FROM TEST_TABLE where WEEK_IN = 13 and DATE_IN > ?'
    cursor.execute(sql, [this_year])
    for row in cursor:
        print(row)

产量

(u'2',)

当您编写参数化SQL并使用cursor.execute的双参数形式时,sqlite3数据库适配器将为您引用参数。所以你不需要(或想要)自己手动引用参数。

所以

this_year = str(this_year)

而不是

this_year = ("'"+str(this_year)+"'")

也有效,但如上所示,两行都是不必要的,因为sqlite3也会接受datetime个对象作为参数。

也有效。

由于sqlite3会自动引用参数,因此当您手动添加引号时,最后一个参数会获得两组引号。 SQL最终比较

In [59]: '2012-03-25' > "'2013-01-01'"
Out[59]: True

这就是(错误地)返回两行的原因。

答案 1 :(得分:0)

我认为这是因为您在test2变量中创建日期的方式。

在第一个示例中,当您使用datetime module时,您不小心引入了额外的引号:

>>> import datetime
>>> this_year = datetime.date(datetime.date.today().isocalendar()[0], 1, 1)
>>> test2 = "'" + str(this_year) + "'"
>>> print test2
"'2013-01-01'"

但是,在第二个示例中,您只将test2设置为等于有效的日期。

>>> test2 = '2013-01-01'
'2013-01-01'

要解决此问题,只需修改您的第一个示例,如下所示:

this_year = datetime.date(datetime.date.today().isocalendar()[0], 1, 1)
test2 = str(this_year)

作为旁注,请注意我已删除了变量周围的括号,因为它们是多余的。