4

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

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

表中有 2 个条目:

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 创建字符串时,为什么查询不能正常工作呢?字符串就是字符串,对吧?那么我在这里错过了什么?

4

2 回答 2

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. 因此,您不需要(或不想)自己手动引用参数。

所以

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

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

于 2013-03-31T17:23:50.600 回答
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)

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

于 2013-03-31T17:24:01.603 回答