snowflake-sqlalchemy


Namesnowflake-sqlalchemy JSON
Version 1.5.3 PyPI version JSON
download
home_pageNone
SummarySnowflake SQLAlchemy Dialect
upload_time2024-04-17 04:31:30
maintainerNone
docs_urlNone
authorNone
requires_python>=3.8
licenseNone
keywords snowflake analytics cloud database db warehouse
VCS
bugtrack_url
requirements No requirements were recorded.
Travis-CI No Travis.
coveralls test coverage No coveralls.
            # Snowflake SQLAlchemy

[![Build and Test](https://github.com/snowflakedb/snowflake-sqlalchemy/actions/workflows/build_test.yml/badge.svg)](https://github.com/snowflakedb/snowflake-sqlalchemy/actions/workflows/build_test.yml)
[![codecov](https://codecov.io/gh/snowflakedb/snowflake-sqlalchemy/branch/main/graph/badge.svg)](https://codecov.io/gh/snowflakedb/snowflake-sqlalchemy)
[![PyPi](https://img.shields.io/pypi/v/snowflake-sqlalchemy.svg)](https://pypi.python.org/pypi/snowflake-sqlalchemy/)
[![License Apache-2.0](https://img.shields.io/:license-Apache%202-brightgreen.svg)](http://www.apache.org/licenses/LICENSE-2.0.txt)
[![Codestyle Black](https://img.shields.io/badge/code%20style-black-000000.svg)](https://github.com/psf/black)

Snowflake SQLAlchemy runs on the top of the Snowflake Connector for Python as a [dialect](http://docs.sqlalchemy.org/en/latest/dialects/) to bridge a Snowflake database and SQLAlchemy applications.

## Prerequisites

### Snowflake Connector for Python

The only requirement for Snowflake SQLAlchemy is the Snowflake Connector for Python; however, the connector does not need to be installed because installing Snowflake SQLAlchemy automatically installs the connector.

### Data Analytics and Web Application Frameworks (Optional)

Snowflake SQLAlchemy can be used with [Pandas](http://pandas.pydata.org/), [Jupyter](http://jupyter.org/) and [Pyramid](http://www.pylonsproject.org/), which provide higher levels of application frameworks for data analytics and web applications. However, building a working environment from scratch is not a trivial task, particularly for novice users. Installing the frameworks requires C compilers and tools, and choosing the right tools and versions is a hurdle that might deter users from using Python applications.

An easier way to build an environment is through [Anaconda](https://www.continuum.io/why-anaconda), which provides a complete, precompiled technology stack for all users, including non-Python experts such as data analysts and students. For Anaconda installation instructions, see the [Anaconda install documentation](https://docs.continuum.io/anaconda/install). The Snowflake SQLAlchemy package can then be installed on top of Anaconda using [pip](https://pypi.python.org/pypi/pip).

## Installing Snowflake SQLAlchemy

The Snowflake SQLAlchemy package can be installed from the public PyPI repository using `pip`:

```shell
pip install --upgrade snowflake-sqlalchemy
```

`pip` automatically installs all required modules, including the Snowflake Connector for Python.

## Verifying Your Installation

1. Create a file (e.g. `validate.py`) that contains the following Python sample code,
   which connects to Snowflake and displays the Snowflake version:

    ```python
    from sqlalchemy import create_engine

    engine = create_engine(
        'snowflake://{user}:{password}@{account}/'.format(
            user='<your_user_login_name>',
            password='<your_password>',
            account='<your_account_name>',
        )
    )
    try:
        connection = engine.connect()
        results = connection.execute('select current_version()').fetchone()
        print(results[0])
    finally:
        connection.close()
        engine.dispose()
    ```

2. Replace `<your_user_login_name>`, `<your_password>`, and `<your_account_name>` with the appropriate values for your Snowflake account and user.

    For more details, see [Connection Parameters](#connection-parameters).

3. Execute the sample code. For example, if you created a file named `validate.py`:

    ```shell
    python validate.py
    ```

    The Snowflake version (e.g. `1.48.0`) should be displayed.

## Parameters and Behavior

As much as possible, Snowflake SQLAlchemy provides compatible functionality for SQLAlchemy applications. For information on using SQLAlchemy, see the [SQLAlchemy documentation](http://docs.sqlalchemy.org/en/latest/).

However, Snowflake SQLAlchemy also provides Snowflake-specific parameters and behavior, which are described in the following sections.

### Connection Parameters

Snowflake SQLAlchemy uses the following syntax for the connection string used to connect to Snowflake and initiate a session:

```python
'snowflake://<user_login_name>:<password>@<account_name>'
```

Where:

- `<user_login_name>` is the login name for your Snowflake user.
- `<password>` is the password for your Snowflake user.
- `<account_name>` is the name of your Snowflake account.

Include the region in the `<account_name>` if applicable, more info is available [here](https://docs.snowflake.com/en/user-guide/connecting.html#your-snowflake-account-name).

You can optionally specify the initial database and schema for the Snowflake session by including them at the end of the connection string, separated by `/`. You can also specify the initial warehouse and role for the session as a parameter string at the end of the connection string:

```python
'snowflake://<user_login_name>:<password>@<account_name>/<database_name>/<schema_name>?warehouse=<warehouse_name>&role=<role_name>'
```

#### Escaping Special Characters such as `%, @` signs in Passwords

As pointed out in [SQLAlchemy](https://docs.sqlalchemy.org/en/14/core/engines.html#escaping-special-characters-such-as-signs-in-passwords), URLs
containing special characters need to be URL encoded to be parsed correctly. This includes the `%, @` signs. Unescaped password containing special
characters could lead to authentication failure.

The encoding for the password can be generated using `urllib.parse`:
```python
import urllib.parse
urllib.parse.quote("kx@% jj5/g")
'kx%40%25%20jj5/g'
```

**Note**: `urllib.parse.quote_plus` may also be used if there is no space in the string, as `urllib.parse.quote_plus` will replace space with `+`.

To create an engine with the proper encodings, either manually constructing the url string by formatting
or taking advantage of the `snowflake.sqlalchemy.URL` helper method:
```python
import urllib.parse
from snowflake.sqlalchemy import URL
from sqlalchemy import create_engine

quoted_password = urllib.parse.quote("kx@% jj5/g")

# 1. manually constructing an url string
url = f'snowflake://testuser1:{quoted_password}@abc123/testdb/public?warehouse=testwh&role=myrole'
engine = create_engine(url)

# 2. using the snowflake.sqlalchemy.URL helper method
engine = create_engine(URL(
    account = 'abc123',
    user = 'testuser1',
    password = quoted_password,
    database = 'testdb',
    schema = 'public',
    warehouse = 'testwh',
    role='myrole',
))
```

**Note**:
After login, the initial database, schema, warehouse and role specified in the connection string can always be changed for the session.

The following example calls the `create_engine` method with the user name `testuser1`, password `0123456`, account name `abc123`, database `testdb`, schema `public`, warehouse `testwh`, and role `myrole`:

```python
from sqlalchemy import create_engine
engine = create_engine(
    'snowflake://testuser1:0123456@abc123/testdb/public?warehouse=testwh&role=myrole'
)
```

Other parameters, such as `timezone`, can also be specified as a URI parameter or in `connect_args` parameters. For example:

```python
from sqlalchemy import create_engine
engine = create_engine(
    'snowflake://testuser1:0123456@abc123/testdb/public?warehouse=testwh&role=myrole',
    connect_args={
        'timezone': 'America/Los_Angeles',
    }
)
```

For convenience, you can use the `snowflake.sqlalchemy.URL` method to construct the connection string and connect to the database. The following example constructs the same connection string from the previous example:

```python
from snowflake.sqlalchemy import URL
from sqlalchemy import create_engine

engine = create_engine(URL(
    account = 'abc123',
    user = 'testuser1',
    password = '0123456',
    database = 'testdb',
    schema = 'public',
    warehouse = 'testwh',
    role='myrole',
    timezone = 'America/Los_Angeles',
))
```

#### Using a proxy server

Use the supported environment variables, `HTTPS_PROXY`, `HTTP_PROXY` and `NO_PROXY` to configure a proxy server.

### Opening and Closing Connection

Open a connection by executing `engine.connect()`; avoid using `engine.execute()`. Make certain to close the connection by executing `connection.close()` before
`engine.dispose()`; otherwise, the Python Garbage collector removes the resources required to communicate with Snowflake, preventing the Python connector from closing the session properly.

```python
# Avoid this.
engine = create_engine(...)
engine.execute(<SQL>)
engine.dispose()

# Do this.
engine = create_engine(...)
connection = engine.connect()
try:
    connection.execute(<SQL>)
finally:
    connection.close()
    engine.dispose()
```

### Auto-increment Behavior

Auto-incrementing a value requires the `Sequence` object. Include the `Sequence` object in the primary key column to automatically increment the value as each new record is inserted. For example:

```python
t = Table('mytable', metadata,
    Column('id', Integer, Sequence('id_seq'), primary_key=True),
    Column(...), ...
)
```

### Object Name Case Handling

Snowflake stores all case-insensitive object names in uppercase text. In contrast, SQLAlchemy considers all lowercase object names to be case-insensitive. Snowflake SQLAlchemy converts the object name case during schema-level communication, i.e. during table and index reflection. If you use uppercase object names, SQLAlchemy assumes they are case-sensitive and encloses the names with quotes. This behavior will cause mismatches agaisnt data dictionary data received from Snowflake, so unless identifier names have been truly created as case sensitive using quotes, e.g., `"TestDb"`, all lowercase names should be used on the SQLAlchemy side.

### Index Support

Snowflake does not utilize indexes, so neither does Snowflake SQLAlchemy.

### Numpy Data Type Support

Snowflake SQLAlchemy supports binding and fetching `NumPy` data types. Binding is always supported. To enable fetching `NumPy` data types, add `numpy=True` to the connection parameters.

The following example shows the round trip of `numpy.datetime64` data:

```python
import numpy as np
import pandas as pd
engine = create_engine(URL(
    account = 'abc123',
    user = 'testuser1',
    password = 'pass',
    database = 'db',
    schema = 'public',
    warehouse = 'testwh',
    role='myrole',
    numpy=True,
))

specific_date = np.datetime64('2016-03-04T12:03:05.123456789Z')

connection = engine.connect()
connection.execute(
    "CREATE OR REPLACE TABLE ts_tbl(c1 TIMESTAMP_NTZ)")
connection.execute(
    "INSERT INTO ts_tbl(c1) values(%s)", (specific_date,)
)
df = pd.read_sql_query("SELECT * FROM ts_tbl", engine)
assert df.c1.values[0] == specific_date
```

The following `NumPy` data types are supported:

- numpy.int64
- numpy.float64
- numpy.datatime64

### Cache Column Metadata

SQLAlchemy provides [the runtime inspection API](http://docs.sqlalchemy.org/en/latest/core/inspection.html) to get the runtime information about the various objects. One of the common use case is get all tables and their column metadata in a schema in order to construct a schema catalog. For example, [alembic](http://alembic.zzzcomputing.com/) on top of SQLAlchemy manages database schema migrations. A pseudo code flow is as follows:

```python
inspector = inspect(engine)
schema = inspector.default_schema_name
for table_name in inspector.get_table_names(schema):
    column_metadata = inspector.get_columns(table_name, schema)
    primary_keys = inspector.get_pk_constraint(table_name, schema)
    foreign_keys = inspector.get_foreign_keys(table_name, schema)
    ...
```

In this flow, a potential problem is it may take quite a while as queries run on each table. The results are cached but getting column metadata is expensive.

To mitigate the problem, Snowflake SQLAlchemy takes a flag `cache_column_metadata=True` such that all of column metadata for all tables are cached when `get_table_names` is called and the rest of `get_columns`, `get_primary_keys` and `get_foreign_keys` can take advantage of the cache.

```python
engine = create_engine(URL(
    account = 'abc123',
    user = 'testuser1',
    password = 'pass',
    database = 'db',
    schema = 'public',
    warehouse = 'testwh',
    role='myrole',
    cache_column_metadata=True,
))
```

Note that this flag has been deprecated, as our caching now uses the built-in SQLAlchemy reflection cache, the flag has been removed, but caching has been improved and if possible extra data will be fetched and cached.

### VARIANT, ARRAY and OBJECT Support

Snowflake SQLAlchemy supports fetching `VARIANT`, `ARRAY` and `OBJECT` data types. All types are converted into `str` in Python so that you can convert them to native data types using `json.loads`.

This example shows how to create a table including `VARIANT`, `ARRAY`, and `OBJECT` data type columns.

```python
from snowflake.sqlalchemy import (VARIANT, ARRAY, OBJECT)

t = Table('my_semi_strucutred_datatype_table', metadata,
    Column('va', VARIANT),
    Column('ob', OBJECT),
    Column('ar', ARRAY))
metdata.create_all(engine)
```

In order to retrieve `VARIANT`, `ARRAY`, and `OBJECT` data type columns and convert them to the native Python data types, fetch data and call the `json.loads` method as follows:

```python
import json
connection = engine.connect()
results = connection.execute(select([t])
row = results.fetchone()
data_variant = json.loads(row[0])
data_object  = json.loads(row[1])
data_array   = json.loads(row[2])
```

### CLUSTER BY Support

Snowflake SQLAchemy supports the `CLUSTER BY` parameter for tables. For information about the parameter, see :doc:`/sql-reference/sql/create-table`.

This example shows how to create a table with two columns, `id` and `name`, as the clustering keys:

```python
t = Table('myuser', metadata,
    Column('id', Integer, primary_key=True),
    Column('name', String),
    snowflake_clusterby=['id', 'name'], ...
)
metadata.create_all(engine)
```

### Alembic Support

[Alembic](http://alembic.zzzcomputing.com) is a database migration tool on top of `SQLAlchemy`. Snowflake SQLAlchemy works by adding the following code to `alembic/env.py` so that Alembic can recognize Snowflake SQLAlchemy.

```python
from alembic.ddl.impl import DefaultImpl

class SnowflakeImpl(DefaultImpl):
    __dialect__ = 'snowflake'
```

See [Alembic Documentation](http://alembic.zzzcomputing.com/) for general usage.

### Key Pair Authentication Support

Snowflake SQLAlchemy supports key pair authentication by leveraging its Snowflake Connector for Python underpinnings. See [Using Key Pair Authentication](https://docs.snowflake.net/manuals/user-guide/python-connector-example.html#using-key-pair-authentication) for steps to create the private and public keys.

The private key parameter is passed through `connect_args` as follows:

```python
...
from snowflake.sqlalchemy import URL
from sqlalchemy import create_engine

from cryptography.hazmat.backends import default_backend
from cryptography.hazmat.primitives.asymmetric import rsa
from cryptography.hazmat.primitives.asymmetric import dsa
from cryptography.hazmat.primitives import serialization

with open("rsa_key.p8", "rb") as key:
    p_key= serialization.load_pem_private_key(
        key.read(),
        password=os.environ['PRIVATE_KEY_PASSPHRASE'].encode(),
        backend=default_backend()
    )

pkb = p_key.private_bytes(
    encoding=serialization.Encoding.DER,
    format=serialization.PrivateFormat.PKCS8,
    encryption_algorithm=serialization.NoEncryption())

engine = create_engine(URL(
    account='abc123',
    user='testuser1',
    ),
    connect_args={
        'private_key': pkb,
        },
    )
```

Where `PRIVATE_KEY_PASSPHRASE` is a passphrase to decrypt the private key file, `rsa_key.p8`.

Currently a private key parameter is not accepted by the `snowflake.sqlalchemy.URL` method.

### Merge Command Support

Snowflake SQLAlchemy supports upserting with its `MergeInto` custom expression.
See [Merge](https://docs.snowflake.net/manuals/sql-reference/sql/merge.html)  for full documentation.

Use it as follows:

```python
from sqlalchemy.orm import sessionmaker
from sqlalchemy import MetaData, create_engine
from snowflake.sqlalchemy import MergeInto

engine = create_engine(db.url, echo=False)
session = sessionmaker(bind=engine)()
connection = engine.connect()

meta = MetaData()
meta.reflect(bind=session.bind)
t1 = meta.tables['t1']
t2 = meta.tables['t2']

merge = MergeInto(target=t1, source=t2, on=t1.c.t1key == t2.c.t2key)
merge.when_matched_then_delete().where(t2.c.marked == 1)
merge.when_matched_then_update().where(t2.c.isnewstatus == 1).values(val = t2.c.newval, status=t2.c.newstatus)
merge.when_matched_then_update().values(val=t2.c.newval)
merge.when_not_matched_then_insert().values(val=t2.c.newval, status=t2.c.newstatus)
connection.execute(merge)
```

### CopyIntoStorage Support

Snowflake SQLAlchemy supports saving tables/query results into different stages, as well as into Azure Containers and
AWS buckets with its custom `CopyIntoStorage` expression. See [Copy into](https://docs.snowflake.net/manuals/sql-reference/sql/copy-into-location.html)
for full documentation.

Use it as follows:

```python
from sqlalchemy.orm import sessionmaker
from sqlalchemy import MetaData, create_engine
from snowflake.sqlalchemy import CopyIntoStorage, AWSBucket, CSVFormatter

engine = create_engine(db.url, echo=False)
session = sessionmaker(bind=engine)()
connection = engine.connect()

meta = MetaData()
meta.reflect(bind=session.bind)
users = meta.tables['users']

copy_into = CopyIntoStorage(from_=users,
                            into=AWSBucket.from_uri('s3://my_private_backup').encryption_aws_sse_kms('1234abcd-12ab-34cd-56ef-1234567890ab'),
                            formatter=CSVFormatter().null_if(['null', 'Null']))
connection.execute(copy_into)
```

## Support

Feel free to file an issue or submit a PR here for general cases. For official support, contact Snowflake support at:
<https://community.snowflake.com/s/article/How-To-Submit-a-Support-Case-in-Snowflake-Lodge>

            

Raw data

            {
    "_id": null,
    "home_page": null,
    "name": "snowflake-sqlalchemy",
    "maintainer": null,
    "docs_url": null,
    "requires_python": ">=3.8",
    "maintainer_email": null,
    "keywords": "Snowflake, analytics, cloud, database, db, warehouse",
    "author": null,
    "author_email": "\"Snowflake Inc.\" <triage-snowpark-python-api-dl@snowflake.com>",
    "download_url": "https://files.pythonhosted.org/packages/2e/4d/b8355faa07ffbcd1d36a0a92764b9ab8c3242ab4047790399ecd2e07b916/snowflake_sqlalchemy-1.5.3.tar.gz",
    "platform": null,
    "description": "# Snowflake SQLAlchemy\n\n[![Build and Test](https://github.com/snowflakedb/snowflake-sqlalchemy/actions/workflows/build_test.yml/badge.svg)](https://github.com/snowflakedb/snowflake-sqlalchemy/actions/workflows/build_test.yml)\n[![codecov](https://codecov.io/gh/snowflakedb/snowflake-sqlalchemy/branch/main/graph/badge.svg)](https://codecov.io/gh/snowflakedb/snowflake-sqlalchemy)\n[![PyPi](https://img.shields.io/pypi/v/snowflake-sqlalchemy.svg)](https://pypi.python.org/pypi/snowflake-sqlalchemy/)\n[![License Apache-2.0](https://img.shields.io/:license-Apache%202-brightgreen.svg)](http://www.apache.org/licenses/LICENSE-2.0.txt)\n[![Codestyle Black](https://img.shields.io/badge/code%20style-black-000000.svg)](https://github.com/psf/black)\n\nSnowflake SQLAlchemy runs on the top of the Snowflake Connector for Python as a [dialect](http://docs.sqlalchemy.org/en/latest/dialects/) to bridge a Snowflake database and SQLAlchemy applications.\n\n## Prerequisites\n\n### Snowflake Connector for Python\n\nThe only requirement for Snowflake SQLAlchemy is the Snowflake Connector for Python; however, the connector does not need to be installed because installing Snowflake SQLAlchemy automatically installs the connector.\n\n### Data Analytics and Web Application Frameworks (Optional)\n\nSnowflake SQLAlchemy can be used with [Pandas](http://pandas.pydata.org/), [Jupyter](http://jupyter.org/) and [Pyramid](http://www.pylonsproject.org/), which provide higher levels of application frameworks for data analytics and web applications. However, building a working environment from scratch is not a trivial task, particularly for novice users. Installing the frameworks requires C compilers and tools, and choosing the right tools and versions is a hurdle that might deter users from using Python applications.\n\nAn easier way to build an environment is through [Anaconda](https://www.continuum.io/why-anaconda), which provides a complete, precompiled technology stack for all users, including non-Python experts such as data analysts and students. For Anaconda installation instructions, see the [Anaconda install documentation](https://docs.continuum.io/anaconda/install). The Snowflake SQLAlchemy package can then be installed on top of Anaconda using [pip](https://pypi.python.org/pypi/pip).\n\n## Installing Snowflake SQLAlchemy\n\nThe Snowflake SQLAlchemy package can be installed from the public PyPI repository using `pip`:\n\n```shell\npip install --upgrade snowflake-sqlalchemy\n```\n\n`pip` automatically installs all required modules, including the Snowflake Connector for Python.\n\n## Verifying Your Installation\n\n1. Create a file (e.g. `validate.py`) that contains the following Python sample code,\n   which connects to Snowflake and displays the Snowflake version:\n\n    ```python\n    from sqlalchemy import create_engine\n\n    engine = create_engine(\n        'snowflake://{user}:{password}@{account}/'.format(\n            user='<your_user_login_name>',\n            password='<your_password>',\n            account='<your_account_name>',\n        )\n    )\n    try:\n        connection = engine.connect()\n        results = connection.execute('select current_version()').fetchone()\n        print(results[0])\n    finally:\n        connection.close()\n        engine.dispose()\n    ```\n\n2. Replace `<your_user_login_name>`, `<your_password>`, and `<your_account_name>` with the appropriate values for your Snowflake account and user.\n\n    For more details, see [Connection Parameters](#connection-parameters).\n\n3. Execute the sample code. For example, if you created a file named `validate.py`:\n\n    ```shell\n    python validate.py\n    ```\n\n    The Snowflake version (e.g. `1.48.0`) should be displayed.\n\n## Parameters and Behavior\n\nAs much as possible, Snowflake SQLAlchemy provides compatible functionality for SQLAlchemy applications. For information on using SQLAlchemy, see the [SQLAlchemy documentation](http://docs.sqlalchemy.org/en/latest/).\n\nHowever, Snowflake SQLAlchemy also provides Snowflake-specific parameters and behavior, which are described in the following sections.\n\n### Connection Parameters\n\nSnowflake SQLAlchemy uses the following syntax for the connection string used to connect to Snowflake and initiate a session:\n\n```python\n'snowflake://<user_login_name>:<password>@<account_name>'\n```\n\nWhere:\n\n- `<user_login_name>` is the login name for your Snowflake user.\n- `<password>` is the password for your Snowflake user.\n- `<account_name>` is the name of your Snowflake account.\n\nInclude the region in the `<account_name>` if applicable, more info is available [here](https://docs.snowflake.com/en/user-guide/connecting.html#your-snowflake-account-name).\n\nYou can optionally specify the initial database and schema for the Snowflake session by including them at the end of the connection string, separated by `/`. You can also specify the initial warehouse and role for the session as a parameter string at the end of the connection string:\n\n```python\n'snowflake://<user_login_name>:<password>@<account_name>/<database_name>/<schema_name>?warehouse=<warehouse_name>&role=<role_name>'\n```\n\n#### Escaping Special Characters such as `%, @` signs in Passwords\n\nAs pointed out in [SQLAlchemy](https://docs.sqlalchemy.org/en/14/core/engines.html#escaping-special-characters-such-as-signs-in-passwords), URLs\ncontaining special characters need to be URL encoded to be parsed correctly. This includes the `%, @` signs. Unescaped password containing special\ncharacters could lead to authentication failure.\n\nThe encoding for the password can be generated using `urllib.parse`:\n```python\nimport urllib.parse\nurllib.parse.quote(\"kx@% jj5/g\")\n'kx%40%25%20jj5/g'\n```\n\n**Note**: `urllib.parse.quote_plus` may also be used if there is no space in the string, as `urllib.parse.quote_plus` will replace space with `+`.\n\nTo create an engine with the proper encodings, either manually constructing the url string by formatting\nor taking advantage of the `snowflake.sqlalchemy.URL` helper method:\n```python\nimport urllib.parse\nfrom snowflake.sqlalchemy import URL\nfrom sqlalchemy import create_engine\n\nquoted_password = urllib.parse.quote(\"kx@% jj5/g\")\n\n# 1. manually constructing an url string\nurl = f'snowflake://testuser1:{quoted_password}@abc123/testdb/public?warehouse=testwh&role=myrole'\nengine = create_engine(url)\n\n# 2. using the snowflake.sqlalchemy.URL helper method\nengine = create_engine(URL(\n    account = 'abc123',\n    user = 'testuser1',\n    password = quoted_password,\n    database = 'testdb',\n    schema = 'public',\n    warehouse = 'testwh',\n    role='myrole',\n))\n```\n\n**Note**:\nAfter login, the initial database, schema, warehouse and role specified in the connection string can always be changed for the session.\n\nThe following example calls the `create_engine` method with the user name `testuser1`, password `0123456`, account name `abc123`, database `testdb`, schema `public`, warehouse `testwh`, and role `myrole`:\n\n```python\nfrom sqlalchemy import create_engine\nengine = create_engine(\n    'snowflake://testuser1:0123456@abc123/testdb/public?warehouse=testwh&role=myrole'\n)\n```\n\nOther parameters, such as `timezone`, can also be specified as a URI parameter or in `connect_args` parameters. For example:\n\n```python\nfrom sqlalchemy import create_engine\nengine = create_engine(\n    'snowflake://testuser1:0123456@abc123/testdb/public?warehouse=testwh&role=myrole',\n    connect_args={\n        'timezone': 'America/Los_Angeles',\n    }\n)\n```\n\nFor convenience, you can use the `snowflake.sqlalchemy.URL` method to construct the connection string and connect to the database. The following example constructs the same connection string from the previous example:\n\n```python\nfrom snowflake.sqlalchemy import URL\nfrom sqlalchemy import create_engine\n\nengine = create_engine(URL(\n    account = 'abc123',\n    user = 'testuser1',\n    password = '0123456',\n    database = 'testdb',\n    schema = 'public',\n    warehouse = 'testwh',\n    role='myrole',\n    timezone = 'America/Los_Angeles',\n))\n```\n\n#### Using a proxy server\n\nUse the supported environment variables, `HTTPS_PROXY`, `HTTP_PROXY` and `NO_PROXY` to configure a proxy server.\n\n### Opening and Closing Connection\n\nOpen a connection by executing `engine.connect()`; avoid using `engine.execute()`. Make certain to close the connection by executing `connection.close()` before\n`engine.dispose()`; otherwise, the Python Garbage collector removes the resources required to communicate with Snowflake, preventing the Python connector from closing the session properly.\n\n```python\n# Avoid this.\nengine = create_engine(...)\nengine.execute(<SQL>)\nengine.dispose()\n\n# Do this.\nengine = create_engine(...)\nconnection = engine.connect()\ntry:\n    connection.execute(<SQL>)\nfinally:\n    connection.close()\n    engine.dispose()\n```\n\n### Auto-increment Behavior\n\nAuto-incrementing a value requires the `Sequence` object. Include the `Sequence` object in the primary key column to automatically increment the value as each new record is inserted. For example:\n\n```python\nt = Table('mytable', metadata,\n    Column('id', Integer, Sequence('id_seq'), primary_key=True),\n    Column(...), ...\n)\n```\n\n### Object Name Case Handling\n\nSnowflake stores all case-insensitive object names in uppercase text. In contrast, SQLAlchemy considers all lowercase object names to be case-insensitive. Snowflake SQLAlchemy converts the object name case during schema-level communication, i.e. during table and index reflection. If you use uppercase object names, SQLAlchemy assumes they are case-sensitive and encloses the names with quotes. This behavior will cause mismatches agaisnt data dictionary data received from Snowflake, so unless identifier names have been truly created as case sensitive using quotes, e.g., `\"TestDb\"`, all lowercase names should be used on the SQLAlchemy side.\n\n### Index Support\n\nSnowflake does not utilize indexes, so neither does Snowflake SQLAlchemy.\n\n### Numpy Data Type Support\n\nSnowflake SQLAlchemy supports binding and fetching `NumPy` data types. Binding is always supported. To enable fetching `NumPy` data types, add `numpy=True` to the connection parameters.\n\nThe following example shows the round trip of `numpy.datetime64` data:\n\n```python\nimport numpy as np\nimport pandas as pd\nengine = create_engine(URL(\n    account = 'abc123',\n    user = 'testuser1',\n    password = 'pass',\n    database = 'db',\n    schema = 'public',\n    warehouse = 'testwh',\n    role='myrole',\n    numpy=True,\n))\n\nspecific_date = np.datetime64('2016-03-04T12:03:05.123456789Z')\n\nconnection = engine.connect()\nconnection.execute(\n    \"CREATE OR REPLACE TABLE ts_tbl(c1 TIMESTAMP_NTZ)\")\nconnection.execute(\n    \"INSERT INTO ts_tbl(c1) values(%s)\", (specific_date,)\n)\ndf = pd.read_sql_query(\"SELECT * FROM ts_tbl\", engine)\nassert df.c1.values[0] == specific_date\n```\n\nThe following `NumPy` data types are supported:\n\n- numpy.int64\n- numpy.float64\n- numpy.datatime64\n\n### Cache Column Metadata\n\nSQLAlchemy provides [the runtime inspection API](http://docs.sqlalchemy.org/en/latest/core/inspection.html) to get the runtime information about the various objects. One of the common use case is get all tables and their column metadata in a schema in order to construct a schema catalog. For example, [alembic](http://alembic.zzzcomputing.com/) on top of SQLAlchemy manages database schema migrations. A pseudo code flow is as follows:\n\n```python\ninspector = inspect(engine)\nschema = inspector.default_schema_name\nfor table_name in inspector.get_table_names(schema):\n    column_metadata = inspector.get_columns(table_name, schema)\n    primary_keys = inspector.get_pk_constraint(table_name, schema)\n    foreign_keys = inspector.get_foreign_keys(table_name, schema)\n    ...\n```\n\nIn this flow, a potential problem is it may take quite a while as queries run on each table. The results are cached but getting column metadata is expensive.\n\nTo mitigate the problem, Snowflake SQLAlchemy takes a flag `cache_column_metadata=True` such that all of column metadata for all tables are cached when `get_table_names` is called and the rest of `get_columns`, `get_primary_keys` and `get_foreign_keys` can take advantage of the cache.\n\n```python\nengine = create_engine(URL(\n    account = 'abc123',\n    user = 'testuser1',\n    password = 'pass',\n    database = 'db',\n    schema = 'public',\n    warehouse = 'testwh',\n    role='myrole',\n    cache_column_metadata=True,\n))\n```\n\nNote that this flag has been deprecated, as our caching now uses the built-in SQLAlchemy reflection cache, the flag has been removed, but caching has been improved and if possible extra data will be fetched and cached.\n\n### VARIANT, ARRAY and OBJECT Support\n\nSnowflake SQLAlchemy supports fetching `VARIANT`, `ARRAY` and `OBJECT` data types. All types are converted into `str` in Python so that you can convert them to native data types using `json.loads`.\n\nThis example shows how to create a table including `VARIANT`, `ARRAY`, and `OBJECT` data type columns.\n\n```python\nfrom snowflake.sqlalchemy import (VARIANT, ARRAY, OBJECT)\n\nt = Table('my_semi_strucutred_datatype_table', metadata,\n    Column('va', VARIANT),\n    Column('ob', OBJECT),\n    Column('ar', ARRAY))\nmetdata.create_all(engine)\n```\n\nIn order to retrieve `VARIANT`, `ARRAY`, and `OBJECT` data type columns and convert them to the native Python data types, fetch data and call the `json.loads` method as follows:\n\n```python\nimport json\nconnection = engine.connect()\nresults = connection.execute(select([t])\nrow = results.fetchone()\ndata_variant = json.loads(row[0])\ndata_object  = json.loads(row[1])\ndata_array   = json.loads(row[2])\n```\n\n### CLUSTER BY Support\n\nSnowflake SQLAchemy supports the `CLUSTER BY` parameter for tables. For information about the parameter, see :doc:`/sql-reference/sql/create-table`.\n\nThis example shows how to create a table with two columns, `id` and `name`, as the clustering keys:\n\n```python\nt = Table('myuser', metadata,\n    Column('id', Integer, primary_key=True),\n    Column('name', String),\n    snowflake_clusterby=['id', 'name'], ...\n)\nmetadata.create_all(engine)\n```\n\n### Alembic Support\n\n[Alembic](http://alembic.zzzcomputing.com) is a database migration tool on top of `SQLAlchemy`. Snowflake SQLAlchemy works by adding the following code to `alembic/env.py` so that Alembic can recognize Snowflake SQLAlchemy.\n\n```python\nfrom alembic.ddl.impl import DefaultImpl\n\nclass SnowflakeImpl(DefaultImpl):\n    __dialect__ = 'snowflake'\n```\n\nSee [Alembic Documentation](http://alembic.zzzcomputing.com/) for general usage.\n\n### Key Pair Authentication Support\n\nSnowflake SQLAlchemy supports key pair authentication by leveraging its Snowflake Connector for Python underpinnings. See [Using Key Pair Authentication](https://docs.snowflake.net/manuals/user-guide/python-connector-example.html#using-key-pair-authentication) for steps to create the private and public keys.\n\nThe private key parameter is passed through `connect_args` as follows:\n\n```python\n...\nfrom snowflake.sqlalchemy import URL\nfrom sqlalchemy import create_engine\n\nfrom cryptography.hazmat.backends import default_backend\nfrom cryptography.hazmat.primitives.asymmetric import rsa\nfrom cryptography.hazmat.primitives.asymmetric import dsa\nfrom cryptography.hazmat.primitives import serialization\n\nwith open(\"rsa_key.p8\", \"rb\") as key:\n    p_key= serialization.load_pem_private_key(\n        key.read(),\n        password=os.environ['PRIVATE_KEY_PASSPHRASE'].encode(),\n        backend=default_backend()\n    )\n\npkb = p_key.private_bytes(\n    encoding=serialization.Encoding.DER,\n    format=serialization.PrivateFormat.PKCS8,\n    encryption_algorithm=serialization.NoEncryption())\n\nengine = create_engine(URL(\n    account='abc123',\n    user='testuser1',\n    ),\n    connect_args={\n        'private_key': pkb,\n        },\n    )\n```\n\nWhere `PRIVATE_KEY_PASSPHRASE` is a passphrase to decrypt the private key file, `rsa_key.p8`.\n\nCurrently a private key parameter is not accepted by the `snowflake.sqlalchemy.URL` method.\n\n### Merge Command Support\n\nSnowflake SQLAlchemy supports upserting with its `MergeInto` custom expression.\nSee [Merge](https://docs.snowflake.net/manuals/sql-reference/sql/merge.html)  for full documentation.\n\nUse it as follows:\n\n```python\nfrom sqlalchemy.orm import sessionmaker\nfrom sqlalchemy import MetaData, create_engine\nfrom snowflake.sqlalchemy import MergeInto\n\nengine = create_engine(db.url, echo=False)\nsession = sessionmaker(bind=engine)()\nconnection = engine.connect()\n\nmeta = MetaData()\nmeta.reflect(bind=session.bind)\nt1 = meta.tables['t1']\nt2 = meta.tables['t2']\n\nmerge = MergeInto(target=t1, source=t2, on=t1.c.t1key == t2.c.t2key)\nmerge.when_matched_then_delete().where(t2.c.marked == 1)\nmerge.when_matched_then_update().where(t2.c.isnewstatus == 1).values(val = t2.c.newval, status=t2.c.newstatus)\nmerge.when_matched_then_update().values(val=t2.c.newval)\nmerge.when_not_matched_then_insert().values(val=t2.c.newval, status=t2.c.newstatus)\nconnection.execute(merge)\n```\n\n### CopyIntoStorage Support\n\nSnowflake SQLAlchemy supports saving tables/query results into different stages, as well as into Azure Containers and\nAWS buckets with its custom `CopyIntoStorage` expression. See [Copy into](https://docs.snowflake.net/manuals/sql-reference/sql/copy-into-location.html)\nfor full documentation.\n\nUse it as follows:\n\n```python\nfrom sqlalchemy.orm import sessionmaker\nfrom sqlalchemy import MetaData, create_engine\nfrom snowflake.sqlalchemy import CopyIntoStorage, AWSBucket, CSVFormatter\n\nengine = create_engine(db.url, echo=False)\nsession = sessionmaker(bind=engine)()\nconnection = engine.connect()\n\nmeta = MetaData()\nmeta.reflect(bind=session.bind)\nusers = meta.tables['users']\n\ncopy_into = CopyIntoStorage(from_=users,\n                            into=AWSBucket.from_uri('s3://my_private_backup').encryption_aws_sse_kms('1234abcd-12ab-34cd-56ef-1234567890ab'),\n                            formatter=CSVFormatter().null_if(['null', 'Null']))\nconnection.execute(copy_into)\n```\n\n## Support\n\nFeel free to file an issue or submit a PR here for general cases. For official support, contact Snowflake support at:\n<https://community.snowflake.com/s/article/How-To-Submit-a-Support-Case-in-Snowflake-Lodge>\n",
    "bugtrack_url": null,
    "license": null,
    "summary": "Snowflake SQLAlchemy Dialect",
    "version": "1.5.3",
    "project_urls": {
        "Changelog": "https://github.com/snowflakedb/snowflake-sqlalchemy/blob/main/DESCRIPTION.md",
        "Documentation": "https://docs.snowflake.com/en/user-guide/sqlalchemy.html",
        "Homepage": "https://www.snowflake.com/",
        "Issues": "https://github.com/snowflakedb/snowflake-sqlalchemy/issues",
        "Source": "https://github.com/snowflakedb/snowflake-sqlalchemy"
    },
    "split_keywords": [
        "snowflake",
        " analytics",
        " cloud",
        " database",
        " db",
        " warehouse"
    ],
    "urls": [
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "d5bbffa381cfdbe510cf15664e9b68d71d2962f1662ffbf531d420d3c84e824f",
                "md5": "8b01e0555221e5669e9eaf2331774a61",
                "sha256": "0a4aa3f391797b22dd7658892f906191fd1d44870503ae7ca9278cddce6e5b89"
            },
            "downloads": -1,
            "filename": "snowflake_sqlalchemy-1.5.3-py3-none-any.whl",
            "has_sig": false,
            "md5_digest": "8b01e0555221e5669e9eaf2331774a61",
            "packagetype": "bdist_wheel",
            "python_version": "py3",
            "requires_python": ">=3.8",
            "size": 42375,
            "upload_time": "2024-04-17T04:31:28",
            "upload_time_iso_8601": "2024-04-17T04:31:28.660481Z",
            "url": "https://files.pythonhosted.org/packages/d5/bb/ffa381cfdbe510cf15664e9b68d71d2962f1662ffbf531d420d3c84e824f/snowflake_sqlalchemy-1.5.3-py3-none-any.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "2e4db8355faa07ffbcd1d36a0a92764b9ab8c3242ab4047790399ecd2e07b916",
                "md5": "bbaeb1f2aa9ac88fddd3dfcd81f338f2",
                "sha256": "79191ec3febfb32bcffecd66f2a7dd561bd571345ea4bccbf41cc1fb5c0682ff"
            },
            "downloads": -1,
            "filename": "snowflake_sqlalchemy-1.5.3.tar.gz",
            "has_sig": false,
            "md5_digest": "bbaeb1f2aa9ac88fddd3dfcd81f338f2",
            "packagetype": "sdist",
            "python_version": "source",
            "requires_python": ">=3.8",
            "size": 80332,
            "upload_time": "2024-04-17T04:31:30",
            "upload_time_iso_8601": "2024-04-17T04:31:30.673131Z",
            "url": "https://files.pythonhosted.org/packages/2e/4d/b8355faa07ffbcd1d36a0a92764b9ab8c3242ab4047790399ecd2e07b916/snowflake_sqlalchemy-1.5.3.tar.gz",
            "yanked": false,
            "yanked_reason": null
        }
    ],
    "upload_time": "2024-04-17 04:31:30",
    "github": true,
    "gitlab": false,
    "bitbucket": false,
    "codeberg": false,
    "github_user": "snowflakedb",
    "github_project": "snowflake-sqlalchemy",
    "travis_ci": false,
    "coveralls": false,
    "github_actions": true,
    "tox": true,
    "lcname": "snowflake-sqlalchemy"
}
        
Elapsed time: 0.25066s