使用python链接数据库的基础语句
时间: 2024-11-05 09:28:28 浏览: 7
在Python中,链接数据库通常需要使用数据库适配器模块,比如SQLite、MySQLdb、psycopg2等。以下是使用Python连接常见数据库的基本步骤:
1. **连接到SQLite** (轻量级数据库,无需安装额外驱动):
```python
import sqlite3
# 连接到SQLite数据库
conn = sqlite3.connect('example.db')
```
2. **连接到MySQL** (需安装mysql-connector-python):
```python
import mysql.connector
# 数据库配置
config = {
'user': 'your_username',
'password': 'your_password',
'host': 'localhost',
'database': 'your_database'
}
# 创建连接
cnx = mysql.connector.connect(**config)
cursor = cnx.cursor()
```
3. **连接到PostgreSQL** (需安装psycopg2):
```python
import psycopg2
# 数据库连接字符串
connection = psycopg2.connect(
dbname="your_database",
user="your_username",
password="your_password",
host="localhost"
)
# 创建游标
cursor = connection.cursor()
```
一旦建立连接,就可以执行SQL查询了。记得在操作完成后关闭连接。
阅读全文