从pandas DataFrame插入Access数据库

时间:2019-02-03 18:32:25

标签: python pandas ms-access insert pyodbc

请有人告诉我,如何插入到数据库中,但看起来像是python中的所有数据框一样?

我发现了这一点,但不知道如何插入带有两个数字的所有名为test_data的数据框:ID,Employee_id。

我也不知道如何为ID插入下一个值(类似于nextval)

谢谢

import pyodbc 
conn = pyodbc.connect(r'Driver={Microsoft Access Driver (*.mdb)};DBQ=C:\Users\test_database.mdb;')
cursor = conn.cursor()  
cursor.execute('''
                INSERT INTO employee_table (ID, employee_id)
                VALUES(?????????)
              ''')
conn.commit()

2 个答案:

答案 0 :(得分:2)

您可以使用to_sql进行操作:

test_data.to_sql('employee_table', conn, if_exists='append')

这会将test_data的值添加到employee表的末尾。

答案 1 :(得分:2)

您可以使用pyodbc的executemany方法,并使用熊猫的itertuples方法传递行:

print(pyodbc.version)  ## 4.0.24 (not 4.0.25, which has a known issue with Access ODBC)
connection_string = (
    r'DRIVER={Microsoft Access Driver (*.mdb, *.accdb)};'
    r'DBQ=C:\Users\Public\MyTest.accdb;'
)
cnxn = pyodbc.connect(connection_string, autocommit=True)
crsr = cnxn.cursor()

# prepare test environment
table_name = "employee_table"
if list(crsr.tables(table_name)):
    crsr.execute(f"DROP TABLE [{table_name}]")
crsr.execute(f"CREATE TABLE [{table_name}] (ID COUNTER PRIMARY KEY, employee_id TEXT(25))")

# test data
df = pd.DataFrame([[1, 'employee1'], [2, 'employee2']], columns=['ID', 'employee_id'])

# insert the rows from the DataFrame into the Access table    
crsr.executemany(
    f"INSERT INTO [{table_name}] (ID, employee_id) VALUES (?, ?)",
    df.itertuples(index=False))