编辑:
解答:我需要为'einlesen()'函数创建另一个光标。

这是我第一次在Python中使用SQLite3,请原谅我(也许)可怕的语法;)
我正在尝试构建一种DVD数据库,该数据库直接从亚马逊获取必要的信息(演员等)。整个程序基于SQLite3和Python 2.7。

一切正常,除了我的Plannes的“更新”功能。

def update():
    print 'Update Datenbank....bitte warten....'
    cursor.execute('''SELECT titel, amazon, erhalten, ausgeliehen FROM movies''')
    antwort = 'update'
    for row in cursor:
        stelle = row[1]
        ausg = row[2]
        erh = row[3]
        einlesen(stelle, ausg, erh, antwort)
        print row[0]
    raw_input('Update komplett!')
    menu()


问题是,循环在一次迭代后退出。

输出看起来像这样:

Update Datenbank....bitte warten....
#a few seconds pass
The Day After Tommorrow
Update komplett!


所以我知道,循环和函数调用是正确的(数据库已正确更新-由函数'einlesen()'完成),但是迭代次数更多,而不仅仅是一次迭代...
所以我的问题是:怎么了? ;)

这是(缩写)“ einlesen()”函数:

def einlesen(asin, ausg, erh, antwort):
    d = {}
    infos = urllib.urlopen('http://www.amazon.de/dp/'+asin).read()
    titel = infos[infos.find('Kaufen Sie')+11:infos.find('nstig ein')-3]
    art = 'dvd'
    infos = remove_html_tags(infos)
    infos = infos[infos.find('Darsteller: '):infos.find('Durchschnittliche')]
    infos = infos.split('\n')
    for x in range(200):
        try:
            infos.remove('')
        except:
            break
    for element in infos:
            d[element.split(': ')[0].lstrip()] = element.split(': ')[1]

#(excluded the whole Info-Scraping process)

    if antwort == 'update':
        movie = dauer, art, regie, jahr, fsk, darsteller, titel
        sql = ('''UPDATE movies SET laufzeit = ?, art = ?, regie = ?, jahr = ?, fsk =     ?, darsteller = ? WHERE titel = ?''')
        cursor.execute(sql, movie)
        connection.commit()
    else:
        menu()


谢谢你的帮助。

最佳答案

您仍在遍历UPDATE的结果时执行SELECT。这将删除第一个cursor.execute()的结果。

使用第二个光标。

编辑:

cur1 = con.cursor()
cur2 = con.cursor()

cur1.execute("SELECT ...")
for row in cur1:
    cur2.execute("UPDATE ...")

08-17 15:31