Cursor.rowcount Always -1 In Sqlite3 In Python3k
Solution 1:
From the documentation:
As required by the Python DB API Spec, the rowcount attribute “is -1 in case no executeXX() has been performed on the cursor or the rowcount of the last operation is not determinable by the interface”.
This includes
SELECT
statements because we cannot determine the number of rows a query produced until all rows were fetched.
That means allSELECT
statements won't have a rowcount
. The behaviour you're observing is documented.
EDIT: Documentation doesn't say anywhere that rowcount
will be updated after you do a fetchall()
so it is just wrong to assume that.
Solution 2:
cursor = newdb.execute('select * from mydb;')
printlen(cursor.fetchall())
The fetchall() will return a list of the rows returned from the select. Len of that list will give you the rowcount.
Solution 3:
May better count the rows this way:
print cur.execute("SELECT COUNT(*) FROM table_name").fetchone()[0]
Solution 4:
Instead of "checking if a fetchone() returns something different than None", I suggest:
cursor.execute('SELECT * FROM foobar')
for row in cursor:
...
this is sqlite
-only (not supported in other DB API implementations) but very handy for sqlite
-specific Python code (and fully documented, see http://docs.python.org/library/sqlite3.html).
Solution 5:
I've spent too long trying to find this, if you use this line you would want to use the .rowcount
it should work for you. I'm using it to check if my statement will return any data.
if (len(cursor.execute(sql).fetchall())) < 1: # checks there will be data by seeing if the length of the list make when getting the data is at least 1print("No data gathered from statement") #else:
#RUN CODE HERE
Post a Comment for "Cursor.rowcount Always -1 In Sqlite3 In Python3k"