Reputation: 35736
I'm trying to write a pandas dataframe to MySQL database with following code.
import pandas as pd
import numpy as np
from pandas.io import sql
import MySQLdb
df = pd.DataFrame([[1.1, 1.1, 1.1, 2.6, 2.5, 3.4,2.6,2.6,3.4,3.4,2.6,1.1,1.1,3.3], list('AAABBBBABCBDDD'), [1.1, 1.7, 2.5, 2.6, 3.3, 3.8,4.0,4.2,4.3,4.5,4.6,4.7,4.7,4.8]]).T
db = MySQLdb.connect("192.168.56.101","nilani","123","test")
cursor = db.cursor()
cursor.execute("DROP TABLE IF EXISTS TEST")
sql = """CREATE TABLE TEST (
ID INT NOT NULL,
COL1 CHAR(20),
COL2 CHAR(20),
COL3 CHAR(20))"""
cursor.execute(sql)
sql.write_frame(df, con=db, name='TEST', flavor='mysql')
db.close()
I have been referring this question and the other resources. Any way I get following error. What will be the reason?
sql.write_frame(df, con=db, name='TEST', flavor='mysql')
AttributeError: 'str' object has no attribute 'write_frame'
Upvotes: 3
Views: 8339
Reputation: 139272
You have overwritten the from pandas.io import sql
with sql = """...
, so sql
is now a string and no longer a pandas
module which holds the write_frame
function.
EDIT: the AttributeError: 'numpy.int64' object has no attribute 'replace'
error you get is due to the fact that you use integer column labels (this is a bug). Try setting the columns labels to something else, eg:
df.columns = ['COL1', 'COL2', 'COL3']
Upvotes: 7