无法使用 python 和 pymysql 插入数据 mysql

无法使用 python 和 pymysql 插入数据 mysql

我使用的 python 版本是 3.xx。如您所知,python 3.xx 中没有 MySQL 库。因此,我尝试使用 pymysql 连接我的数据库。使用 pymysql 时,我无法将数据插入数据库。(我是初学者)。当我运行此脚本时,我得到:

Traceback (most recent call last):
File "home/pi ......
cur.execute(sql)
Name:Error: cur is not defined.

我该如何修复这个问题?我该如何定义 cursor.execute?我为此调用了库,为什么我必须再次定义它?

这是我的代码。我删除了此问题不需要的部分。

import os
import time
import datetime
import glob
import mysql.connector
from mysql.connector import errorcode
from time import strftime

os.system('modprobe w1-gpio')
os.system('modprobe w1-therm')

base_dir = '/sys/bus/w1/devices/'
device_folder = glob.glob(base_dir + '28-000008a43c0e')[0]
device_file = device_folder + '/w1_slave'


#---------------------------------------------------------------------------
#Connect MySQL
#---------------------------------------------------------------------------

cnx = mysql.connector.connect(user='root',password='mehmetali',
                              host='localhost',
                              database='temp-at-interrupt')


cursor= cnx.cursor()

#---------------------------------------------------------------------------
#Get Temperature Values.
#---------------------------------------------------------------------------

def read_temp_raw():
    f = open(device_file, 'r')
    lines = f.readlines()
    f.close()
    return lines
def read_temp():
    lines = read_temp_raw()
    while lines[0].strip()[-3:] != 'YES':
        time.sleep(0.2)
        lines = read_temp_raw()
    equals_pos = lines[1].find('t=')
    if equals_pos != -1:
        temp_string = lines[1][equals_pos+2:]
        temp_c = float(temp_string) / 1000.0
        return temp_c

#---------------------------------------------------------------------------
#Insert new data
#---------------------------------------------------------------------------
if True:
    temp=read_temp()
    print(temp)
    datetimeWrite = (time.strftime("%Y-%m-%d ") + time.strftime("%H:%M:%S"))
    print (datetimeWrite)
    #sql= ("""INSERT INTO `temp-at-interrupt` (Date,Time,Temperature) VALUES (%s,%s,%s )""",(datetimeWrite,temp))
    sql = ("""INSERT INTO `temp-at-interrupt` (`Date`,`Time`,`Temperature`) VALUES ('%s','%s','%s' )""",(datetimeWrite,temp))
try:
    print ("Writing to database...")
# Execute the SQL command
    cursor.execute(sql)
# Commit your changes in the database
    cnx.commit()
    print ("Write Complete")
except:
# Rollback in case there is any error
    cursor.close()
    cnx.close()
    print ("Failed writing to database")

更新:当我按照顺序 “您必须设置连接,定义游标,运行查询,并且在查询完成后关闭连接。”我修复了错误。但我仍然卡在这里。我的输出如下。

25.35 C
2018-04-20 22:21:04
Writing to Database...
Failed writing to database

我错在哪里了?

答案1

您误解了如何使用 python 接口。

cnx = mysql.connector.connect(user='root',password='******',
                              host='localhost',
                              database='temp-at-interrupt')
cnx.close()

在这里,您连接,然后关闭连接。此后,您无需定义游标cur即可尝试使用它执行查询。这是行不通的。

您必须设置连接,定义游标,运行查询,并在查询完成后关闭连接。

mysql 文档提供了此示例,展示了它的流程:

import mysql.connector

cnx = mysql.connector.connect(user='scott', database='employees')
cursor = cnx.cursor()

tomorrow = datetime.now().date() + timedelta(days=1)

add_employee = ("INSERT INTO employees "
               "(first_name, last_name, hire_date, gender, birth_date) "
               "VALUES (%s, %s, %s, %s, %s)")
add_salary = ("INSERT INTO salaries "
              "(emp_no, salary, from_date, to_date) "
              "VALUES (%(emp_no)s, %(salary)s, %(from_date)s, %(to_date)s)")

data_employee = ('Geert', 'Vanderkelen', tomorrow, 'M', date(1977, 6, 14))

# Insert new employee
cursor.execute(add_employee, data_employee)

emp_no = cursor.lastrowid

# Insert salary information
data_salary = {
  'emp_no': emp_no,
  'salary': 50000,
  'from_date': tomorrow,
  'to_date': date(9999, 1, 1),
}
cursor.execute(add_salary, data_salary)

# Make sure data is committed to the database
cnx.commit()

cursor.close()
cnx.close()

在这里您可以清楚地看到连接数据库、创建游标、执行查询、将结果提交给数据库以及最后清理和关闭连接的流程。

答案2

您的插入语句尝试插入 3 个值(日期、时间、温度),但您只提供了 2 个值(datetimeWrite、temp)。这行不通。此外,正如 vidarlo 所指出的,您确实应该查看错误。简单地将参考中指出的打印语句放在一起可以对您大有帮助:

...
except mysql.connector.Error as err:
  print("Something went wrong: {}".format(err))
...

相关内容