N.B. SQLAlchemy now incorporates all of this information in its documentation; I’m leaving this post here, but recommend referring to SQLAlchemy instead of these instructions.
- We’ll assume you already have SQLAlchemy and Pandas installed; these are included by default in many Python distributions.
- Install the cx_Oracle package in your Python environment, using either
pip
orconda
, for example:pip install cx_Oracle
- Install the
ODPI-C
libraries as described at https://oracle.github.io/odpi/doc/installation.html. This, naturally, requires that you create a free Oracle developer account to get access to the libraries. I put the libraries at$HOME/opt/oracle/…
and linked them to$HOME/lib
, which seems to work fine. I looked for a Homebrew recipe to install these but didn’t see one, and theconda
package forcx_oracle
didn’t seem to include these libraries.
Oracle databases apparently have something called an SID, and they might also have something called a service name. (More about the difference.) If you can use an SID to connect to your Oracle database, then you can use the simple connection string as shown in the SQLAlchemy docs. In this example, your SID corresponds to the database
parameter.
import pandas as pd
from sqlalchemy import create_engine
oracle_connection_string = 'oracle+cx_oracle://{username}:{password}@{hostname}:{port}/{database}'
engine = create_engine(
oracle_connection_string.format(
username='CALCULATING_CARL',
password='12345',
hostname='all.thedata.com',
port='1521',
database='everything',
)
)
data = pd.read_sql("SELECT * FROM …", engine)
Sometimes, an Oracle database will require you to connect using a service name instead of an SID. In this case, the connection string is more complicated, but the cx_Oracle
module has an undocumented function that will build it for you. (Thanks to this StackOverflow answer for this tip.)
import pandas as pd
from sqlalchemy import create_engine
import cx_Oracle
oracle_connection_string = (
'oracle+cx_oracle://{username}:{password}@' +
cx_Oracle.makedsn('{hostname}', '{port}', service_name='{service_name}')
)
engine = create_engine(
oracle_connection_string.format(
username='CALCULATING_CARL',
password='12345',
hostname='all.thedata.com',
port='1521',
service_name='every.piece.ofdata',
)
)
data = pd.read_sql("SELECT * FROM …", engine)
It works for me, thanks a lot.