Reputation: 141
I am trying to write a table in mysql through python:
I want to make table in MYSQL but delete the lines that are more than 3, in other words I just want 3 lines. for example
emp_no Num1 Num2 Num3
1 1 2 3
2 1 2 3
3 1 2 3
These should be deleted
4 1 2 3
5 1 2 3
6 1 2 3
.
.
.
My code is:
from __future__ import print_function
import mysql.connector
from mysql.connector import errorcode
cnx = mysql.connector.connect(user='',
host='localhost')
cursor = cnx.cursor()
DB_NAME = 'DB'
cnx.database = DB_NAME
TABLES = {}
TABLES['History'] = (
"CREATE TABLE `History` ("
" `emp_no` int(11) NOT NULL AUTO_INCREMENT,"
" `Num1` text NOT NULL,"
" `Num2` text NOT NULL,"
" `Num3` text NOT NULL,"
" PRIMARY KEY (`emp_no`)"
") ENGINE=InnoDB")
####################33
##
Num1=1
Num2=2
Num3=3
add_employee = ("INSERT INTO History "
"(Num1, Num2, Num3) "
"VALUES (%s, %s, %s)")
data_employee = (str(Num1), str(Num2), str(Num3))
### Insert new employee
cursor.execute(add_employee, data_employee)
emp_no = cursor.lastrowid
### Make sure data is committed to the database
cnx.commit()
### *** I use this line for deleting the rows ***
query2 = ("Delete FROM History "
"WHERE emp_no > %s")
cursor.execute(query2, ('3',))
# this part is used for printing the table elements
query = ("SELECT emp_no, Num1, Num2, Num3 FROM History ")
cursor.execute(query)
#print("last_name")
for (emp_no, Num1, Num2, Num3) in cursor:
print("{} {} {}".format(
emp_no, Num1, Num2, Num3))
cursor.close()
cnx.close()
##
When I run this for example 10 times always the result is:
1 1 2
2 1 2
3 1 2
but when I comment out the part:
query2 = ("Delete FROM History "
"WHERE emp_no > %s")
cursor.execute(query2, ('3',))
what I see is interesting:
1 1 2
2 1 2
3 1 2
4 1 2
5 1 2
6 1 2
7 1 2
8 1 2
9 1 2
10 1 2
the lines more than 3 are still there in Mysql they were just not being shown before commenting out the delete query.
So How can I remove specific lines completely from mysql?
Upvotes: 3
Views: 3261
Reputation: 4367
It seems you would need to call commit for the DELETE operation to take effect permanently, as you are doing after the INSERT operation.
Upvotes: 2